Artificial Intelligence Nanodegree

Convolutional Neural Networks

Project: Write an Algorithm for a Dog Identification App


In this notebook, some template code has already been provided for you, and you will need to implement additional functionality to successfully complete this project. You will not need to modify the included code beyond what is requested. Sections that begin with '(IMPLEMENTATION)' in the header indicate that the following block of code will require additional functionality which you must provide. Instructions will be provided for each section, and the specifics of the implementation are marked in the code block with a 'TODO' statement. Please be sure to read the instructions carefully!

Note: Once you have completed all of the code implementations, you need to finalize your work by exporting the iPython Notebook as an HTML document. Before exporting the notebook to html, all of the code cells need to have been run so that reviewers can see the final implementation and output. You can then export the notebook by using the menu above and navigating to \n", "File -> Download as -> HTML (.html). Include the finished document along with this notebook as your submission.

In addition to implementing code, there will be questions that you must answer which relate to the project and your implementation. Each section where you will answer a question is preceded by a 'Question X' header. Carefully read each question and provide thorough answers in the following text boxes that begin with 'Answer:'. Your project submission will be evaluated based on your answers to each of the questions and the implementation you provide.

Note: Code and Markdown cells can be executed using the Shift + Enter keyboard shortcut. Markdown cells can be edited by double-clicking the cell to enter edit mode.

The rubric contains optional "Stand Out Suggestions" for enhancing the project beyond the minimum requirements. If you decide to pursue the "Stand Out Suggestions", you should include the code in this IPython notebook.


Why We're Here

In this notebook, you will make the first steps towards developing an algorithm that could be used as part of a mobile or web app. At the end of this project, your code will accept any user-supplied image as input. If a dog is detected in the image, it will provide an estimate of the dog's breed. If a human is detected, it will provide an estimate of the dog breed that is most resembling. The image below displays potential sample output of your finished project (... but we expect that each student's algorithm will behave differently!).

Sample Dog Output

In this real-world setting, you will need to piece together a series of models to perform different tasks; for instance, the algorithm that detects humans in an image will be different from the CNN that infers dog breed. There are many points of possible failure, and no perfect algorithm exists. Your imperfect solution will nonetheless create a fun user experience!

The Road Ahead

We break the notebook into separate steps. Feel free to use the links below to navigate the notebook.

  • Step 0: Import Datasets
  • Step 1: Detect Humans
  • Step 2: Detect Dogs
  • Step 3: Create a CNN to Classify Dog Breeds (from Scratch)
  • Step 4: Use a CNN to Classify Dog Breeds (using Transfer Learning)
  • Step 5: Create a CNN to Classify Dog Breeds (using Transfer Learning)
  • Step 6: Write your Algorithm
  • Step 7: Test Your Algorithm

Step 0: Import Datasets

Import Dog Dataset

In the code cell below, we import a dataset of dog images. We populate a few variables through the use of the load_files function from the scikit-learn library:

  • train_files, valid_files, test_files - numpy arrays containing file paths to images
  • train_targets, valid_targets, test_targets - numpy arrays containing onehot-encoded classification labels
  • dog_names - list of string-valued dog breed names for translating labels
In [70]:
from sklearn.datasets import load_files       
from keras.utils import np_utils
import numpy as np
from glob import glob

# define function to load train, test, and validation datasets
def load_dataset(path):
    data = load_files(path)
    dog_files = np.array(data['filenames'])
    dog_targets = np_utils.to_categorical(np.array(data['target']), 133)
    return dog_files, dog_targets

# load train, test, and validation datasets
train_files, train_targets = load_dataset('dogImages/train')
valid_files, valid_targets = load_dataset('dogImages/valid')
test_files, test_targets = load_dataset('dogImages/test')

# load list of dog names
dog_names = [item[20:-1] for item in sorted(glob("dogImages/train/*/"))]

# print statistics about the dataset
print('There are %d total dog categories.' % len(dog_names))
print('There are %s total dog images.\n' % len(np.hstack([train_files, valid_files, test_files])))
print('There are %d training dog images.' % len(train_files))
print('There are %d validation dog images.' % len(valid_files))
print('There are %d test dog images.'% len(test_files))
There are 133 total dog categories.
There are 8351 total dog images.

There are 6680 training dog images.
There are 835 validation dog images.
There are 836 test dog images.

Import Human Dataset

In the code cell below, we import a dataset of human images, where the file paths are stored in the numpy array human_files.

In [71]:
import random
random.seed(8675309)

# load filenames in shuffled human dataset
human_files = np.array(glob("lfw/*/*"))
random.shuffle(human_files)

# print statistics about the dataset
print('There are %d total human images.' % len(human_files))
There are 13233 total human images.

Step 1: Detect Humans

We use OpenCV's implementation of Haar feature-based cascade classifiers to detect human faces in images. OpenCV provides many pre-trained face detectors, stored as XML files on github. We have downloaded one of these detectors and stored it in the haarcascades directory.

In the next code cell, we demonstrate how to use this detector to find human faces in a sample image.

In [72]:
import cv2                
import matplotlib.pyplot as plt                        
%matplotlib inline                               

# extract pre-trained face detector
face_cascade = cv2.CascadeClassifier('haarcascades/haarcascade_frontalface_alt.xml')

# load color (BGR) image
img = cv2.imread(human_files[921])
# convert BGR image to grayscale
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)

# find faces in image
faces = face_cascade.detectMultiScale(gray)

# print number of faces detected in the image
print('Number of faces detected:', len(faces))

# get bounding box for each detected face
for (x,y,w,h) in faces:
    # add bounding box to color image
    cv2.rectangle(img,(x,y),(x+w,y+h),(255,0,0),2)
    
# convert BGR image to RGB for plotting
cv_rgb = cv2.cvtColor(img, cv2.COLOR_BGR2RGB)

# display the image, along with bounding box
plt.imshow(cv_rgb)
plt.show()
Number of faces detected: 0
In [73]:
img.shape
Out[73]:
(250, 250, 3)

Before using any of the face detectors, it is standard procedure to convert the images to grayscale. The detectMultiScale function executes the classifier stored in face_cascade and takes the grayscale image as a parameter.

In the above code, faces is a numpy array of detected faces, where each row corresponds to a detected face. Each detected face is a 1D array with four entries that specifies the bounding box of the detected face. The first two entries in the array (extracted in the above code as x and y) specify the horizontal and vertical positions of the top left corner of the bounding box. The last two entries in the array (extracted here as w and h) specify the width and height of the box.

Write a Human Face Detector

We can use this procedure to write a function that returns True if a human face is detected in an image and False otherwise. This function, aptly named face_detector, takes a string-valued file path to an image as input and appears in the code block below.

In [74]:
# returns "True" if face is detected in image stored at img_path
def face_detector(img_path):
    img = cv2.imread(img_path)
    gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
    faces = face_cascade.detectMultiScale(gray)
    return len(faces) > 0

(IMPLEMENTATION) Assess the Human Face Detector

Question 1: Use the code cell below to test the performance of the face_detector function.

  • What percentage of the first 100 images in human_files have a detected human face?
  • What percentage of the first 100 images in dog_files have a detected human face?

Ideally, we would like 100% of human images with a detected face and 0% of dog images with a detected face. You will see that our algorithm falls short of this goal, but still gives acceptable performance. We extract the file paths for the first 100 images from each of the datasets and store them in the numpy arrays human_files_short and dog_files_short.

Answer: 98% of the first 100 images in human_files have a detected human face and 0 % of 100 images in dog_files have a human face

In [76]:
%%time
#human_files_short = human_files[:100]
#dog_files_short = train_files[:100]
human_files_short = human_files[0:1000]
dog_files_short = train_files[0:1000]
# Do NOT modify the code above this line.

## TODO: Test the performance of the face_detector algorithm 
## on the images in human_files_short and dog_files_short.
h_in_h_count = 0
h_in_d_count = 0

for human_files_1 in human_files_short:
    if face_detector(human_files_1):
        h_in_h_count += 1
    else:
        print("no human detected at index i = ", np.where(human_files_1==human_files_short)[0][0])
        
for dog_files in dog_files_short:
    if face_detector(dog_files):
        h_in_d_count += 1

hcount_to_percentage = 100/len(human_files_short)
dcount_to_percentage = 100/len(dog_files_short)        
print("percentage of detected humans in human images = ", '{:>2}'.format(h_in_h_count*hcount_to_percentage), "%")
print("percentage of detected humans in dog images = ", '{:>2}'.format(h_in_d_count*dcount_to_percentage), "%")
no human detected at index i =  0
no human detected at index i =  38
no human detected at index i =  163
no human detected at index i =  341
no human detected at index i =  476
no human detected at index i =  803
no human detected at index i =  921
percentage of detected humans in human images =  99.30000000000001 %
percentage of detected humans in dog images =  11.100000000000001 %
CPU times: user 10min 6s, sys: 6.11 s, total: 10min 12s
Wall time: 3min 53s

Question 2: This algorithmic choice necessitates that we communicate to the user that we accept human images only when they provide a clear view of a face (otherwise, we risk having unneccessarily frustrated users!). In your opinion, is this a reasonable expectation to pose on the user? If not, can you think of a way to detect humans in images that does not necessitate an image with a clearly presented face?

Answer: I tried a CNN, but without success.

We suggest the face detector from OpenCV as a potential way to detect human images in your algorithm, but you are free to explore other approaches, especially approaches that make use of deep learning :). Please use the code cell below to design and test your own face detection algorithm. If you decide to pursue this optional task, report performance on each of the datasets.

In [7]:
## (Optional) TODO: Report performance of another face detection algorithm on the LFW dataset
### Feel free to use as many code cells as needed.
# Generate negative images following 
# https://pythonprogramming.net/haar-cascade-object-detection-python-opencv-tutorial/
In [30]:
%%time
import urllib
import os
x_pixels = 250
y_pixels = 250
def store_raw_images():
    link_negimg = \
    'http://image-net.org/api/text/imagenet.synset.geturls?wnid=n00015388'
    url_negimg = urllib.request.urlopen(link_negimg).read().decode()
    if not os.path.exists('neg'):
        os.makedirs('neg')
    pic_num = 1
    for i in url_negimg.split('\n'):
        try:
            print(i)
            urllib.request.urlretrieve(i, "neg/"+str(pic_num)+'.jpg')
            img = cv2.imread("neg/"+str(pic_num)+'.jpg', cv2.IMREAD_COLOR)
            interpol = cv2.INTER_LINEAR
            if(img.shape[0] < x_pixels and img.shape[1] < y_pixels):
                interpol = cv2.INTER_CUBIC
            elif(img.shape[0] > x_pixels and img.shape[1] > y_pixels):
                interpol = cv2.INTER_AREA
            else:
                pass
            resized_img = cv2.resize(img, (x_pixels, y_pixels), interpolation = interpol)
            cv2.imwrite("neg/"+str(pic_num)+'.jpg', resized_img)
            pic_num += 1
        except Exception as e:
            print(str(e))

store_raw_images()
http://farm4.static.flickr.com/3040/2946102733_9b9c9cf24e.jpg
http://farm3.static.flickr.com/2093/2288303747_c62c007531.jpg
http://www.theresevangelder.nl/images/dierenportretten/dier4.jpg
HTTP Error 404: Not Found
http://lelapintan.webs.com/LogoNHD%20klein.jpg
HTTP Error 403: Forbidden
http://www.zuidafrikaonline.nl/images/zuid-afrika-reis-giraffe.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/145/430300483_21e993670c.jpg
http://farm2.static.flickr.com/1005/3352960681_37b9c1d27b.jpg
http://farm1.static.flickr.com/27/51009336_a9663af3dd.jpg
http://farm4.static.flickr.com/3025/2444687979_bf7bc8df21.jpg
http://img100.imageshack.us/img100/3253/forrest004fs9.jpg
HTTP Error 404: Not Found
http://img172.imageshack.us/img172/4606/napo03072en9.jpg
HTTP Error 404: Not Found
http://fotootjesvanannelies.web-log.nl/olifantfotootjes/images/2008/06/04/img_8870.jpg
'NoneType' object has no attribute 'shape'
http://www.deweekkrant.nl/images/library/pictures/4f/2e/a5/cf/2_3d81b762a5e8a345bbb1f0884fab2e9762146129.jpg
HTTP Error 404: Not Found
http://www.porschemania.it/discus/messages/815/102099.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/72/225029238_805b0937ca.jpg
http://farm2.static.flickr.com/1128/1432436038_6c131f1bb0.jpg
http://farm4.static.flickr.com/3217/2942611930_d68204f726.jpg
http://farm1.static.flickr.com/29/54608382_ee8bd4f7fa.jpg
http://www.dierentuin.nl/images/jongengiraffe.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3279/3118047175_259ab89c92.jpg
https://w3f7yg.bay.livefilestore.com/y1miLTQmcuoRakgVwM6_bngzVE6TzzugspJiu6zK1_8F_kAD0tLiNV6nRNu9gQjci3MNbubrk3M8pSQlHpG3a8NO88Qx4dvvuugxBvdzeYg1j4KQk45GZIrKYpqxRxRMhCWK3PxXknn61E/IMG_4991斑马.jpg
'ascii' codec can't encode characters in position 156-157: ordinal not in range(128)
http://farm4.static.flickr.com/3271/2496428562_90b5cb82a6.jpg
http://farm2.static.flickr.com/1115/703274169_5ef9b9dfc9.jpg
http://farm1.static.flickr.com/70/200362625_938f8f06a7.jpg
http://farm1.static.flickr.com/180/370761991_7249dc2f90.jpg
http://farm3.static.flickr.com/2197/1659368303_4dbf9b312a.jpg
http://home.planet.nl/~huske073/Dieren/dier-sita.jpg
'NoneType' object has no attribute 'shape'
http://www.joanranquet.com/images/AnimalNews-Lupinsm.jpg
HTTP Error 404: Not Found
http://www.wereldomroep.nl/images/assets/10707839
<urlopen error [Errno 60] Operation timed out>
http://farm4.static.flickr.com/3231/2858342976_847bded41a.jpg
http://farm3.static.flickr.com/2188/2086791140_e7dbd81b56.jpg
http://farm2.static.flickr.com/1140/950904728_0d84ac956b.jpg
http://www.dierenrijk.nl/uploads/media/620x248_Steenbok.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3107/2652244127_93ae00dbae.jpg
http://fotootjesvanannelies.web-log.nl/olifantfotootjes/images/2008/06/05/img_6370_2.jpg
'NoneType' object has no attribute 'shape'
http://www.hln.be/static/FOTO/pe/13/6/10/large_460060.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3075/2806156393_e26619e785.jpg
http://www.vpg-amsterdam.nl/picts/Mens%20en%20dier%202.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3010/2495892362_91d36941fb.jpg
http://farm1.static.flickr.com/94/282435162_0c7f117875.jpg
http://farm2.static.flickr.com/1140/1233342395_d0792ed663.jpg
http://figumorisca.files.wordpress.com/2008/05/gatta.jpg
http://files.splinder.com/a0a27e29e96f5270d487740253d7e9ce.jpeg
<urlopen error [Errno 61] Connection refused>
http://farm1.static.flickr.com/216/463144509_9905579fd0.jpg
http://farm3.static.flickr.com/2008/2489907105_d8d2ab8622.jpg
http://farm3.static.flickr.com/2300/2546060040_d2f00cef5c.jpg
http://www.hb.xinhuanet.com/zhuanti/2008-02/26/xin_1430205261743765104509.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3045/2516183719_37f3366bbb.jpg
http://www.photophoto.cn/m72/018/056/0180560156.jpg
http://larrestodelcarlino.myblog.it/media/00/01/596222212.jpg
http://www.digitalegroetjes.nl/kaartjes/images/67588held.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3590/3400746484_3dd2f91246.jpg
http://media.zobrabant.nl:81/img/dyn/c1df79c81185d378ca5b284480961e46_200x131.jpg
<urlopen error [Errno 61] Connection refused>
http://farm1.static.flickr.com/71/214363343_126928340e.jpg
http://www.digi-irma.nl/fotos/dieren2/dier5.JPG
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1406/674804962_882dc24bee.jpg
http://www.dongettyphoto.com/kenya/images/Reticulated-Giraffe.jpg
HTTP Error 404: Not found
http://www.controcorrentesatirica.com/fotoarticoli/agnello.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.tvoggisalerno.it/Upload/Chicco.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2087/2113639488_81e8734c2c.jpg
http://fotootjesvanannelies.web-log.nl/dierentuinfotootjes/images/img_1192_europa_aapjes.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2022/2074347390_2a923cc9d7.jpg
http://www.corsaridelgusto.eu/wp/wp-content/uploads/2008/11/ochetta-tolosa.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.ieenn.com/Article/UploadFiles_2400/200805/20080501081735415.jpg
HTTP Error 503: Service Unavailable
http://farm4.static.flickr.com/3053/3046324514_29570a809b.jpg
http://farm4.static.flickr.com/3069/2677556348_6e1e9ab18f.jpg
http://farm4.static.flickr.com/3186/2810074087_980989fdc5.jpg
http://www.thennattravel.com/img/galeria/img-91.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/166/341206445_9512acc0c7.jpg
http://farm1.static.flickr.com/158/418755181_522ba0cdbc.jpg
http://farm3.static.flickr.com/2270/2113683046_89ef507646.jpg
http://farm4.static.flickr.com/3216/2825689280_2f4593504c.jpg
http://farm4.static.flickr.com/3049/2912116913_5d97f34de9.jpg
http://www.photophoto.cn/m1/018/001/0180010138.jpg
http://1.bp.blogspot.com/_hGJfT5Lmrqw/SEQqhIGGncI/AAAAAAAAAN0/38KYHJBS01g/s200/castel_fusano.jpg
http://farm1.static.flickr.com/210/514186356_490604ea82.jpg
http://picnicb.ciao.com/it/90971.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://3.bp.blogspot.com/_hGJfT5Lmrqw/Sbwo4mOW9NI/AAAAAAAAIEM/vsyCiut-YFM/s200/398-09.jpg
http://farm3.static.flickr.com/2050/2393075706_20163202ef.jpg
http://img.studenti.it/images/giovani/main/news/articoli/foto100/bernie300.jpg
http://images0.speurders.nl/images/44/4493/44934560_1.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1012/1124643768_0b44643a28.jpg
http://farm3.static.flickr.com/2374/2137148179_27c7c92bca.jpg
http://farm4.static.flickr.com/3274/2496427358_2b1605f068.jpg
http://3.bp.blogspot.com/_iI5p2weU2O0/RqmqNsFp7MI/AAAAAAAABJ0/lAt5EymrGfo/s400/nikon0001.JPG
http://www.detexelsekunstenaars.nl/weblog/images/dsc_7883.jpg
HTTP Error 404: Not Found
http://www.iohotspots.nl/fotos/904/3.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://a.abcnews.com/images/Technology/rt_animal_friends_080701_ssh.jpg
HTTP Error 404: Not Found
http://headlines.nos.nl/documents/1f/e1/1fe18053e0c981fefbdf3fec4cba54a4.small.jpg
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/27/38433577_3bc8c72ea0.jpg
http://homingpidgeon.blog.lastampa.it/il_mio_weblog/images/2009/02/14/koala_cured.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3087/2493456165_ecd9e6dcbf.jpg
http://farm3.static.flickr.com/2310/2179327152_9fe4ff499b.jpg
http://farm4.static.flickr.com/3534/3236276663_10af51d4da.jpg
http://farm3.static.flickr.com/2025/1578466713_c30bc5190d.jpg
http://www.theresevangelder.nl/dier8.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2341/2410518543_79040ec612.jpg
http://farm1.static.flickr.com/41/99317628_57992c2bf4.jpg
http://kazernediemen.web-log.nl/photos/uncategorized/2008/09/28/img_49141border.jpg
'NoneType' object has no attribute 'shape'
http://www.photophoto.cn/m69/018/026/0180260450.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462g460ayo0sr_medium.JPG
HTTP Error 400: Bad Request
http://farm3.static.flickr.com/2246/1862774644_be31884926.jpg
http://www.worldofimages.nl/gallery/dieren/dier-frouke1.jpg
http://estb.msn.com/i/B5/EF99C74EFE7B9DD2FBE2B57AB6B2D.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.yile8.com/Article/UploadFiles/200703/20070326124456286.jpg
HTTP Error 404: Not Found
http://www.photophoto.cn/m1/018/001/0180010158.jpg
http://www.pugliantagonista.it/osservbalcanibr/fotosserv/cani.jpg
http://www.venetocontroibocconi.it/public/news-images/foto1.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://carlijn.homespot.nl/site_images/821_vera.jpg
http://www.frankaslothouber.nl/wordpress/wp-content/2005-bosvarken.jpg
HTTP Error 404: Not Found
http://www.kunsthal.nl/data/pictures/e_577.jpg
HTTP Error 404: Not Found
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2008/08/06/img_2620.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2117/2494495340_76927b3dfd.jpg
http://img167.imageshack.us/img167/3762/caneez8.jpg
http://imgsrc.baidu.com/baike/pic/item/0e655ca755ae8086d1435895.jpg
http://vip.bokee.com/shtml/php/upload/upload/200811131504040.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.schooltv.nl/beeldbank/mmbase/images/1963827
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3193/2697455736_796480b8df.jpg
http://www.studio-evenaar.nl/dierenpark/images/zwijn-wild01.jpg
http://img.cxdq.com/081010/20081010185043499.jpg
'NoneType' object has no attribute 'shape'
http://www.vaol.it/docs/files/190/75346.jpg
<urlopen error [Errno 61] Connection refused>
http://cimg2.163.com/catchpic/9/96/9610C4E21D9248E70B3AAD0B821DF440.jpg
http://farm1.static.flickr.com/37/96203655_37d98e39a9.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1963828
'NoneType' object has no attribute 'shape'
http://animals2tonny.web-log.nl/van_alles_en_nog_wat/images/2009/03/27/rihd.jpg
'NoneType' object has no attribute 'shape'
http://img481.imageshack.us/img481/2083/immagine122ht3.jpg
HTTP Error 404: Not Found
http://www.zana-artworld.nl/Gallery/images/mens%20dier6.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://i278.photobucket.com/albums/kk112/annavernarelli/Masturbine.jpg
http://bp3.blogger.com/_ujk9GTedwW8/R2dkBKfKfAI/AAAAAAAAFC4/GQlnXdRWOcg/s400/Dieren+miereneter+tamandua.jpg
http://www.luisjaspe.nl/ILLUSjaspe/dier3.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://files.splinder.com/c81ad9355c8ab1c1d9102c88f13d4350.jpeg
<urlopen error [Errno 61] Connection refused>
http://farm1.static.flickr.com/151/434430724_d481865bfe.jpg
http://farm4.static.flickr.com/3290/2747480855_9cf5201b4d.jpg
http://huisdieren.hetdierenrijk.nl/honden/foto/katbijhond.jpg
http://www.dierenrijk.nl/uploads/media/620x248_DRE_394.jpg
HTTP Error 404: Not Found
http://2.bp.blogspot.com/_hGJfT5Lmrqw/SWjfeqpJS-I/AAAAAAAAGXk/ef4vLhJX2bA/s200/pedro-terni.jpg
http://farm1.static.flickr.com/53/172510845_8f106f9003.jpg
http://arumi.blog.kataweb.it/files/photos/uncategorized/2007/05/22/angeldog.jpg
http://farm3.static.flickr.com/2412/2289080448_e7f981d160.jpg
http://lh5.ggpht.com/piero.fadda/SD7LvUhRxFI/AAAAAAAAAM0/t6tfb5M1Cvg/03-%20Il%20nascondiglio_thumb%5B1%5D.jpg
http://static.zoom.nl/C00CDF6958583A312CA16464AA894716-dierenrijk-europa.jpg
HTTP Error 404: Not Found
http://3.bp.blogspot.com/_0BrcOm6q2_Q/SUvfMHmFCCI/AAAAAAAAAHw/3_eHQmqq920/S220/DSC_0017.JPG
HTTP Error 404: Not Found
http://farm1.static.flickr.com/13/18183352_8c04916089.jpg
http://www.aquariusage.com/images/artimages/Nieuwe_Kijk_op_dier_verminking1.jpg
'NoneType' object has no attribute 'shape'
http://www.photophoto.cn/m72/018/056/0180560173.jpg
http://farm3.static.flickr.com/2075/2047818257_699255cc24.jpg
http://farm4.static.flickr.com/3101/2902842422_a04caed8b7.jpg
http://farm4.static.flickr.com/3505/3199680207_9363042090.jpg
http://www.photophoto.cn/m72/018/056/0180560148.jpg
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2008/04/02/img_7917.jpg
'NoneType' object has no attribute 'shape'
http://digilander.libero.it/non_siamo_cibo/LIFE.jpg
http://farm4.static.flickr.com/3127/3158856669_8d40429a87.jpg
http://www.aphroditehotel.gr/bird4.jpg
'NoneType' object has no attribute 'shape'
http://nieuws.kontaktfm.nl/fotonieuws/2009-03-31-Dier%20van%20de%20week%20Stapper.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://kepu.jjtang.com/upimg/071220/3_142053.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.plaats.nl/var/24/thumb/24958.jpg
http://www.photophoto.cn/m1/018/001/0180010156.jpg
http://2.bp.blogspot.com/_MN6JRE8ev3Y/R-PdmGicdbI/AAAAAAAAAAM/Byw9fVQ6iCQ/s320/KIF_0316.JPG
http://farm3.static.flickr.com/2075/2246415465_3a84a0a236.jpg
http://estb.msn.com/i/16/E570EAF3AF44FE75423174618D.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/37/87666009_0f1ffd3bbe.jpg
http://www.aroundtheworld.net/reizen/afrika/wp-content/uploads/2007/08/dier-giraffe-2.jpg
http://www.hbav.gov.cn/Article/UploadFiles/200804/20080429144002234.jpg
HTTP Error 404: Not Found
http://www.helingnieuwestijl.nl/images/library/Image/200305%20MiauMiau%20de%20koningin%20web.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://static.blogo.it/ecoblog/visone.jpg
HTTP Error 403: Forbidden
http://i1.ce.cn/sci/zrqq/200811/04/W020081104293568272650.jpg
http://farm1.static.flickr.com/30/261069045_85462899b8.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1963044
'NoneType' object has no attribute 'shape'
http://www.dierenbescherminglimburg.be/images_temp/dier_week_maas.jpg
HTTP Error 404: Not Found
http://www.gattisinasce.it/Public/data/gattamatta/20071223131338_gatto%20di%20natale.jpg
http://www.retailwiki.nl/wiki02/images/thumb/160px-Rem_2007_dierenrijkeuropa_femkebeelen_52.JPG
HTTP Error 403: Forbidden
http://www.photophoto.cn/m72/018/056/0180560132.jpg
http://myarticle.enet.com.cn/images/2006/0601/1149096161905.jpg
HTTP Error 404: Not Found
http://www.keesvandervlist.nl/images/dier8.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.photophoto.cn/m72/018/056/0180560168.jpg
http://www.chinastone.cn/upload/ProductPic//m_wxq8_128768085739285995.jpg
HTTP Error 404: 
http://www.uitzinnig.nl/images/fotos/thumbnail/dierenrijk-europa.jpg
<urlopen error [Errno 60] Operation timed out>
http://2.bp.blogspot.com/_hGJfT5Lmrqw/STu4iBpAkNI/AAAAAAAAFc4/8kQ0iy7oo5o/s200/dragona.jpg
http://media.athesiseditrice.it/media/2009/03/12_26_are_f1_525_medium.jpg
http://farm1.static.flickr.com/96/224582938_10a09f5fe8.jpg
http://www.sosanimali.net/claretta%20lor%20RM2.jpg
HTTP Error 404: Not Found
http://jeugdnatuur.web-log.nl/jeugdnatuur/images/jonkie_galloway.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1090/1483571867_675318edb6.jpg
http://farm1.static.flickr.com/177/485412124_2994b02ee2.jpg
http://farm4.static.flickr.com/3044/2943562103_d91be872a7.jpg
http://www.photophoto.cn/m1/018/001/0180010257.jpg
http://www.studio-evenaar.nl/dierenpark/images/wolf-eur03.jpg
http://quotidianonet.ilsole24ore.com/2008/07/03/101915/images/120198-cane.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm1.static.flickr.com/53/111232614_a19ba3e1d4.jpg
http://eraorablog.files.wordpress.com/2008/09/aussi-2-031.jpg
http://www.dierenrijk.nl/uploads/media/620x248_Kathaai.jpg
HTTP Error 404: Not Found
http://www.noorwegen.tv/albums/Eindelijk-Noorwegen!-Oneindig-mooi!/Wat_een_prachtig_dier.sized.jpg
HTTP Error 403: Forbidden
http://www.francinewesterduin.nl/images/dier.jpg
HTTP Error 404: Not Found
http://www.zeeburgnieuws.nl/nieuws/images/varkentje_wakker_dier.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/73/179835791_a638e58430.jpg
http://farm3.static.flickr.com/2171/2418326931_2dcb809a04.jpg
http://2.bp.blogspot.com/_hGJfT5Lmrqw/SYM0xe4fLjI/AAAAAAAAHG0/ggrDFubIJl8/s200/attila.jpg
http://farm1.static.flickr.com/109/263172436_d776b8e01a.jpg
http://www.dier-id.be/images/right/dier-id.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/235/460317629_5adbb575f6.jpg
http://farm4.static.flickr.com/3452/3387974451_9d481e3f61.jpg
http://farm4.static.flickr.com/3308/3306977157_312e325399.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/2256781
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3092/3127529762_1568b5cafc.jpg
http://farm4.static.flickr.com/3308/3314847346_b19b1a3feb.jpg
http://farm3.static.flickr.com/2206/1543473818_bc997f2263.jpg
http://www.bramvo.net/gallery2/d/1412-1/IMG_7008.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://aoc03.qmark.nl/resources/t-dier-geit01-nederlandse%20witte%20melkgeit%20qmp.jpg
HTTP Error 404: Not Found
http://media.athesiseditrice.it/media/2008/11/0811032403__71788_low.jpg
http://www.huaxia-ng.com/web/attachments/2009/03/2_2009032514513735tiX.thumb.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3084/2330539072_c3f5def403.jpg
http://www.venadelgesso.org/fauna/mammiferi/img/tasso.jpg
HTTP Error 403: Forbidden
http://aoc03.qmark.nl/resources/t-dier-varken01-groot%20york%20qmp.jpg
HTTP Error 404: Not Found
http://1.bp.blogspot.com/_sNAgXc9jln0/ScPJv5Tw6oI/AAAAAAAAQkw/dMGL8ybIxaU/s400/denti.jpg
http://4.bp.blogspot.com/_s2oZxc00q7g/ScqNZ-30QbI/AAAAAAAAARA/6vLwIOWyn8U/s400/vol2.JPG
http://v16.56.com/images/8/8/shenshengfeihui56olo56i56.com_zhajm_1162006232_519.jpg
http://farm4.static.flickr.com/3150/2329713399_cc46fdd4b6.jpg
http://www.hln.be/static/FOTO/pe/16/0/3/art_large_380358.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/193/527455832_93470a55cc.jpg
http://idoimg.3mt.com.cn/article/upload/200703/070315113936780.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2104/1976214121_b6e7773ff0.jpg
http://farm1.static.flickr.com/107/303421561_c0786f0c5d.jpg
http://farm4.static.flickr.com/3028/2627064069_f3afbf9023.jpg
http://farm3.static.flickr.com/2363/2458342603_fe94f6d9b1.jpg
http://farm1.static.flickr.com/125/423038931_1c4eaf7bea.jpg
http://farm4.static.flickr.com/3145/3041612186_2a25d4a5ea.jpg
http://farm4.static.flickr.com/3125/3192103551_4bb0f476a8.jpg
http://farm3.static.flickr.com/2326/2353615318_72b036173f.jpg
http://farm1.static.flickr.com/161/397599643_b5a9e48cfa.jpg
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2008/09/04/img_3201.jpg
'NoneType' object has no attribute 'shape'
http://us.wtojob.cn/info/UploadFiles/2008918154549746.jpg
<urlopen error [Errno 61] Connection refused>
http://farm4.static.flickr.com/3124/2725694322_4751a0eeb8.jpg
http://www.sloddervossen.be/wp-content/uploads/2008/09/spekpoedel.jpg
http://www.overloonzoo.nl/Image/getImage.aspx?id=529
HTTP Error 404: Not Found
http://farm1.static.flickr.com/225/497865031_9ba72ce7f1.jpg
http://www.zeeburgnieuws.nl/nieuws/images/wakker_dier_varkenstransport_ellende.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.anwb.nl/images/lidmaatschap/syc/nl_Dierenrijk_Europa_visual.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3052/3060376614_d04ebbb175.jpg
http://farm4.static.flickr.com/3283/2496418824_9755749ee8.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/12094837814629g8g1ygsfx_medium.JPG
HTTP Error 400: Bad Request
http://farm4.static.flickr.com/3140/2883350351_2be99bb512.jpg
http://cimg2.163.com/cnews/2007/2/1/2007020109285072abf.jpg
http://www.digi-irma.nl/fotos/dieren2/dier2.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2244/2530715412_a04f381c2b.jpg
http://img366.imageshack.us/img366/4074/sanna06tm3.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3074/3118046001_c560f317b2.jpg
http://farm4.static.flickr.com/3270/2401002856_a57a18e89f.jpg
http://farm4.static.flickr.com/3219/2345281345_e42efd7259.jpg
http://www.libemavakantieparken.nl/topics/libema/attractieparken/dierenrijk_europa/zeehond.jpg
HTTP Error 404: Not Found
http://www.photophoto.cn/m1/018/001/0180010251.jpg
http://farm4.static.flickr.com/3269/2892065253_213ceed90c.jpg
http://farm1.static.flickr.com/29/36443540_f2da7d5a7b.jpg
http://farm1.static.flickr.com/183/469389678_2b1c92f648.jpg
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2009/03/04/img_1598.jpg
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/142/408269243_c6b2bef28f.jpg
http://www.bocconiavvelenati.it/tata-dead-close.jpg
'NoneType' object has no attribute 'shape'
http://www.hannekegroenteman.nl/images/koe_van_karel.jpg
HTTP Error 404: Not Found
http://source.hi.mysvw.com/picture/fangle/53/C8/67/7627//1174274945499.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3128/2824848637_ce693b264a.jpg
http://farm4.static.flickr.com/3240/2901314720_bd74a653fd.jpg
http://farm4.static.flickr.com/3234/2495608561_4164c99497.jpg
http://farm4.static.flickr.com/3294/2687524440_2e205103e6.jpg
http://farm4.static.flickr.com/3031/2787879806_64efd1ab55.jpg
http://img111.imageshack.us/img111/7456/agnellomorto5qq1.jpg
http://www.livingunderworld.org/photos/data/703/41DSC03752_klein.jpg
'NoneType' object has no attribute 'shape'
http://static.flickr.com/3045/2981143898_fe3aef188e.jpg
http://www.magic-air.nl/Foto/dier/dier_002.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/242/447062768_08116fa379.jpg
http://www.studio-evenaar.nl/dierenpark/images/wolf-eur01.jpg
http://farm4.static.flickr.com/3235/2931736288_5e8500ba0e.jpg
http://www.dierenrijk.nl/uploads/media/620x248_DRE_029.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3104/2661256044_55688849b9.jpg
http://www.zootrack.nl/natuur26.jpg
http://www.hellopet.com.cn/gongmu/xiaoshideshengming/miejuedongwu/sandieji/tue.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3659/3322499715_b22055194b.jpg
http://img.diglog.com/img/2009/3/middle_caa2a0cceeca4e71a9aa3aadfca1c295.jpg
<urlopen error [Errno 60] Operation timed out>
http://news.xinhuanet.com/environment/2009-03/02/xinsrc_1920306021326750157837.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3087/2636927321_15df40eddc.jpg
http://farm4.static.flickr.com/3140/3118050869_a403a1bdae.jpg
http://farm3.static.flickr.com/2395/2571491910_4bbc73ae50.jpg
http://farm4.static.flickr.com/3167/3076137996_e8ddccd1fc.jpg
http://farm4.static.flickr.com/3038/2973708139_af66838c70.jpg
http://farm4.static.flickr.com/3444/3288689765_0618a9eae3.jpg
http://farm1.static.flickr.com/39/111514860_7b579826d5.jpg
http://farm4.static.flickr.com/3001/2912657734_3b0f6a295d.jpg
<urlopen error [Errno 54] Connection reset by peer>
http://img386.imageshack.us/img386/3437/pecoreneve2zt5.jpg
http://farm1.static.flickr.com/119/289658750_6e1a318ab7.jpg
http://farm3.static.flickr.com/2167/2495070241_d7058b089d.jpg
http://farm2.static.flickr.com/1363/1433747112_712f911aff.jpg
http://farm1.static.flickr.com/101/303421557_574f4ef3fd.jpg
http://photogallery.tiscali.it/repository/animali/panda/7.jpg
http://farm4.static.flickr.com/3613/3381523150_0028fe0449.jpg
http://farm2.static.flickr.com/1304/1393969672_be9a14bbb0.jpg
http://farm4.static.flickr.com/3375/3212482537_c127ba374b.jpg
http://farm4.static.flickr.com/3409/3412858374_04abd966ec.jpg
http://www.cancelloedarnonenews.com/wp-content/uploads/2008/12/pastore-tedesco-abbandonato-alife-2.jpg
http://farm4.static.flickr.com/3222/2857515931_d8051f508f.jpg
http://www.flm-boot.nl/foto/natuur/IMG_0246.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/12094837814622fsr5t5awl_medium.JPG
HTTP Error 400: Bad Request
http://farm4.static.flickr.com/3088/3118026113_386c4e06ec.jpg
http://farm3.static.flickr.com/2348/2532910592_b2e6451b03.jpg
http://www.photophoto.cn/m2/018/020/0180200070.jpg
http://farm4.static.flickr.com/3244/2940168348_9573c36d45.jpg
http://farm4.static.flickr.com/3581/3349207351_e47c81c913.jpg
http://farm1.static.flickr.com/31/57367664_b68d2d9e16.jpg
http://farm4.static.flickr.com/3085/2661268674_48ea582ac2.jpg
http://farm4.static.flickr.com/3220/2534595329_796177a740.jpg
http://farm1.static.flickr.com/78/195970068_4f2e3a34bc.jpg
http://farm1.static.flickr.com/105/290828248_7a86646a48.jpg
http://farm4.static.flickr.com/3126/2820531308_f0eae05b6f.jpg
http://farm2.static.flickr.com/1016/1398772391_2b11e9f5a7.jpg
http://cougar.altervista.org/visual_aid/oscar_primopiano.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3125/2857520771_c60497fb9b.jpg
http://pet.longhoo.net/dogs/images/00140711.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://1.bp.blogspot.com/_-uv60n1TQKY/SM7AOxFxQeI/AAAAAAAAACw/bcH5aagvufw/S760/rey02.jpg
http://www.dierennieuws.nl/dierentuinen/img/dre08.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/37/87666208_3e81380c17.jpg
http://farm1.static.flickr.com/3/3899701_f09c841205.jpg
http://www.fotokonijnenberg.nl/images/uploads/3039/0db41/max_0db41.jpg
HTTP Error 404: Not Found
http://magazine.libero.it/c/img52/fg/09/9273/2007/7/foto3.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1313/1359176876_6c25d2971d.jpg
http://www.bongo.nl/image_cache/107267_100_100_FSImage_1_dierenrijk_09.jpg
HTTP Error 404: Not Found
http://www.inseparabile.it/public/forum/Pastorella%20felice/2008626103731_PILI%203.jpg
http://farm3.static.flickr.com/2386/2355350762_cea3e0545c.jpg
http://farm4.static.flickr.com/3058/2576798216_401f08975d.jpg
http://germylove.altervista.org/animalidasalvare_file/foca.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3014/3017434522_22acca70fc.jpg
http://farm1.static.flickr.com/103/265904002_bcc3b8aac8.jpg
http://farm4.static.flickr.com/3101/3118881564_836572d416.jpg
http://www.caniquest.nl/Honden185.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1017/1125371210_a84f479178.jpg
http://image.xtata.com/pic/pic/jpg/w0_h_0/9a/f7/1f/q100_wm1_2008_09_22_1222050760722948d703c8b1927.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.partijvoordedieren.nl/upload/spaw/wakkerint3.gif
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/111/303420108_c9be45a59d.jpg
http://farm4.static.flickr.com/3167/2905761171_8a7579e985.jpg
http://farm3.static.flickr.com/2009/2356443400_314ecea605.jpg
http://roelsbeestenboel.nl/index_files/ponykind.jpg
http://farm3.static.flickr.com/2111/2353384172_35722ab311.jpg
http://farm4.static.flickr.com/3123/3237117862_20a30d4d3e.jpg
http://evenementnieuws.nl/uploads/ec32fb14927ba04ac016da5da1d259a0.jpeg
HTTP Error 404: Not Found
http://2.bp.blogspot.com/_bZx5ybMUFCY/SL8kN48xlcI/AAAAAAAAANU/Ru3MWkfLklY/s400/Cocco.JPG
http://www.sciclinews.com/immagini_pagine/cane_fa_rientro_a_casa_sciclinews.jpg
http://3.bp.blogspot.com/_7ok1Ppn7ohY/SPzjZ1JN4KI/AAAAAAAAAAc/VOzWTn5BbbM/s320/DSCF1853.JPG
http://farm4.static.flickr.com/3304/3429204342_18a9a1e42f.jpg
http://estb.msn.com/i/73/1CC32BDBBBB3AFAC9E8455F6BFC747.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3018/2753016680_b544e00b60.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462ozmghhvppo_medium.JPG
HTTP Error 400: Bad Request
http://farm1.static.flickr.com/130/384161416_f92cc609c3.jpg
http://www.chitblog.net/wp-content/uploads/2006/10/belfagor.jpg
http://farm3.static.flickr.com/2250/2194547894_cbda347fb2.jpg
http://farm4.static.flickr.com/3609/3430106314_1ae5664996.jpg
http://www.eropuit.nl/images/625x467/dierenrijk_europa.jpg
'NoneType' object has no attribute 'shape'
http://www.cnsece.com/Post/UploadFile/2007-5/2007520162118767.jpg
HTTP Error 404: Not Found
http://mopshondenkennel.webs.com/ds%20056.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3620/3326837784_fd86220dbb.jpg
http://www.photophoto.cn/m72/018/056/0180560098.jpg
http://www.cdedu.gov.cn/subject/dasai3/zs/cz/0626/image/animal169.bmp
HTTP Error 404: Not Found
http://www.photophoto.cn/m1/018/001/0180010111.jpg
http://farm1.static.flickr.com/40/83515954_0c2d8f331b.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1964055
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3286/3005398172_35af1f89b1.jpg
http://farm1.static.flickr.com/60/224974598_e8d651777f.jpg
http://farm2.static.flickr.com/1200/1185251984_f34d83b3a5.jpg
http://www.wereldomroep.nl/images/assets/10707983
<urlopen error [Errno 60] Operation timed out>
http://www.hebly.gov.cn/uploadpic/2003-11/20031111175030-421-t018.jpg
'NoneType' object has no attribute 'shape'
http://www.theaterfrascati.nl/assets/templates/frascati/img/img.php?-db=produktie.fp5&key=12593405&-img
HTTP Error 404: Not Found
http://2.bp.blogspot.com/_Nb3Nwff99yo/R4ziYuLh_tI/AAAAAAAAACc/Y2-F6t7dRCg/s400/Firenze+III+134.jpg
http://www.breda-en-alles-daaromheen.nl/over-dieren-in-de-literatuur_bestanden/image003.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/46/109706745_10df63f51f.jpg
http://img.bimg.126.net/photo/pxT86j9WHKUGqPEPwaGu4w==/2578592261647696868.jpg
http://farm3.static.flickr.com/2053/2234796246_dd8913d925.jpg
http://farm4.static.flickr.com/3223/3117170064_13e75c1aa2.jpg
http://www.smink.it/wp-content/uploads/2008/09/porto-emp1.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/106/313327271_e75c2a91cf.jpg
http://www.sinaimg.cn/IT/ul/2007/0918/U1235P2DT20070918101708.jpg
http://www.still-lifephotography.com/images/dier1.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://vip.bokee.com/shtml/php/upload/upload/200811131512193.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://3.bp.blogspot.com/_PsQbeQ9K4-s/SUVahoEd3eI/AAAAAAAAApo/Vdasd7Aee6A/s320/lpp1-726191.jpg
http://www.mastino-napoletano.com/Fotos/Hunde/Antico_delle_correnti.jpg
HTTP Error 403: Forbidden
http://www.dagjeweg.nl/img/dagjeweg/2224.jpg
http://farm4.static.flickr.com/3082/2730411162_d0d410d851.jpg
http://fotoalbums.server8.eu/srv_1205416354/14/site/dier2.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2075/2214821830_efa446b642.jpg
http://farm2.static.flickr.com/1120/529737397_fc8d279ae8.jpg
http://www.thevelvetstore.com/Merchant2/graphics/00000001/dogs%20playing%20poker22.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/33/51661052_741c9ae4f8.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462k87z7fy5o1_medium.JPG
HTTP Error 400: Bad Request
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2009/03/04/img_1599.jpg
'NoneType' object has no attribute 'shape'
http://www.superedo.it/cartoline/cartoline/Gatti/gatti039.jpg
http://farm4.static.flickr.com/3004/2819735433_dbb7c5a6b3.jpg
http://farm4.static.flickr.com/3151/2668916854_60b076247a.jpg
http://www.sabinemiddelhaufeshundundnatur.net/immagini/ale/protezione/save/save%20start.jpg
http://farm4.static.flickr.com/3272/2891857502_71b6f2bb44.jpg
http://img138.imageshack.us/img138/9762/dscn1003cl7.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3103/3116408163_74120e8956.jpg
http://farm4.static.flickr.com/3210/2878022175_1c5e11c51c.jpg
http://www.digi-irma.nl/fotos/dieren/dier2.jpg
'NoneType' object has no attribute 'shape'
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2008/02/27/img_1081.jpg
'NoneType' object has no attribute 'shape'
http://www.ilmiogatto.net/images/Tommy.jpg
http://www.rotterdamzoo.nl/import/assetmanager/2/5962/600/2ijsberen.png
'NoneType' object has no attribute 'shape'
http://www.comune.roccasparvera.cn.it/immagini/VICKY.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3055/2900470297_58067312c8.jpg
http://farm3.static.flickr.com/2364/2536762113_b176c34c79.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/12094837814623bp1hdp9zj_medium.JPG
HTTP Error 400: Bad Request
http://farm3.static.flickr.com/2240/2330539008_e1681cd3c0.jpg
http://img111.imageshack.us/img111/7825/solieabbandonatitemperalt9.th.jpg
HTTP Error 404: Not Found
http://tinypic.com/1g0g0h
http://farm1.static.flickr.com/110/280930216_a0fb713dc2.jpg
http://c-photo.i-part.com.tw/n1v1/2/6/5/5/1075562/photo/book30/122242322775.jpeg
http://www.refdag.nl/media/foto/2007/39543-a.jpg
HTTP Error 404: Not Found
http://www.peacelink.it/animali/images/3419_a6821a.jpg
http://www.aroundtheworld.net/reizen/afrika/wp-content/uploads/2007/08/dier-giraffe-1.jpg
http://farm3.static.flickr.com/2420/2536038141_f5a2cdb34b.jpg
http://1.bp.blogspot.com/_0-lesZudEuw/R_4Zq6oR2pI/AAAAAAAAAGI/LOmA8q7tEms/S220/bacio_a_un_orso%5B1%5D.jpg
HTTP Error 404: Not Found
http://media.panorama.it/media/foto/2009/03/02/49ac05633697b_hp.JPG
<urlopen error [Errno 60] Operation timed out>
http://www.viverearagogna.it/immagini/Animali18.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1198/1470629792_58def85885.jpg
http://farm3.static.flickr.com/2362/1514282313_b282f616ae.jpg
http://www.dierenrijk.nl/uploads/media/253x115_Ijsbeer.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/183/375727067_d1a6c613c4.jpg
http://farm4.static.flickr.com/3231/3116337579_ec943e2519.jpg
http://files.splinder.com/eab12be517ef89b3c87f9cc9e0fc8284.jpeg
<urlopen error [Errno 61] Connection refused>
http://www.porschemania.it/discus/messages/815/99326.jpg
HTTP Error 404: Not Found
http://beestenboel.omikron-pi.com/animals_files/image004.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://files.splinder.com/b8d36945cb0b46c337744862f08d3c0f.jpeg
<urlopen error [Errno 61] Connection refused>
http://image.phototime.cn/image1/middle/5051/a0/C37234981.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm4.static.flickr.com/3192/3045430135_1a9087162a.jpg
http://farm3.static.flickr.com/2138/2117882359_7e0244d0a4.jpg
http://4.bp.blogspot.com/_YVtQCk7G9rk/RnGEikceRoI/AAAAAAAAAYU/d5zA-mdxwlo/s400/koenshqip+004.jpg
http://farm1.static.flickr.com/8/12445095_53022286c3.jpg
http://farm4.static.flickr.com/3217/3118027885_5445a67ccf.jpg
http://farm4.static.flickr.com/3020/2801188615_b9299b2031.jpg
http://farm4.static.flickr.com/3042/2546264722_85698f7d93.jpg
http://farm3.static.flickr.com/2105/2273690981_193a91f96e.jpg
http://farm1.static.flickr.com/190/492643172_8191ea2d0e.jpg
http://4.bp.blogspot.com/_-uv60n1TQKY/SOOBG5wvY-I/AAAAAAAAAD4/dk8CmDSdQHI/S760/Moka2008.JPG
http://www.venetocontroibocconi.it/public/news-images/alberto.b.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2397/2160989023_b175924159.jpg
http://www.venetocontroibocconi.it/public/news-images/più%20vicino.JPG
'ascii' codec can't encode character '\xf9' in position 26: ordinal not in range(128)
http://ilprofessorechos.blogosfere.it/images/orsi_bianchi_2.jpg
'NoneType' object has no attribute 'shape'
http://www.caryouyou.com/attachments/2007/04/224_200704270108201.jpg
HTTP Error 404: Not Found
http://www.vakantierecreatie.nl/images/w51-15.jpg
<urlopen error [Errno 61] Connection refused>
http://images4.wikia.nocookie.net/nonciclopedia/images/thumb/f/fa/Asino.jpg/250px-Asino.jpg
HTTP Error 404: Not Found
http://www.schooltv.nl/beeldbank/mmbase/images/1962446
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2309/1763375062_dfdfd94495.jpg
http://farm4.static.flickr.com/3194/2434486287_07dd013d9e.jpg
http://www.tourpress.nl/materials/pers_images/060426_060426_dierenrijk_jachtluipaard.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1214/1452922991_1ced835c38.jpg
http://farm4.static.flickr.com/3018/2435698305_507bf3b47e.jpg
http://www.photophoto.cn/m1/018/001/0180010143.jpg
http://farm4.static.flickr.com/3116/2697373695_d7d620ab9f.jpg
http://www.dierz.nl/multimedia/dynamic/00171/maisslang_jpg_171212b.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2314/2537580720_ce54b6ef59.jpg
http://farm3.static.flickr.com/2380/1688583480_e7916568fa.jpg
http://images3.hiboox.com/images/0408/3ojiumld.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2037/2473132925_f0ee4c1a2b.jpg
http://farm1.static.flickr.com/152/340800722_2e15809ce5.jpg
http://sunshine-safari.com/pic/IMG_7207.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.anemoon.org/anemoon/anemoon-forum/algemeen/585414964/837733707/761.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1439/760918416_6f18f79f86.jpg
http://www.neerpelt-kaapstad.be/foto/botswana/22_Honey_badger,_gevreesd_door_man,_dier_en_materiaal.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.photophoto.cn/m72/018/056/0180560172.jpg
http://farm2.static.flickr.com/1119/542922743_90684b3b55.jpg
http://news.xinhuanet.com/tech/2008-09/12/xinsrc_1420905120839656286139.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2304/2518930125_379a18fc20.jpg
http://farm4.static.flickr.com/3420/3192103627_dfcffb6e6f.jpg
http://soubq.com/biaoqing/3/renshoujiewenQQtietujijin/16Nov2008161717.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3091/2666500829_53ca95c366.jpg
http://www.dierenwereld.eu/Foto=8NBEN8VF.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://image.xtata.com/pic/pic/jpg/w0_h_0/b1/d5/1a/q100_wm1_2008_09_22_1222050746187648d703bac55a3.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://static.blogo.it/ecoblog/riccio_01.jpg
HTTP Error 403: Forbidden
http://www.arthouseholland.com/images/artists/40.jpg
HTTP Error 404: Not Found
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781463jck3v33mqz_medium.JPG
HTTP Error 400: Bad Request
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781463pou0xr3yni_medium.JPG
HTTP Error 400: Bad Request
http://bbs.home.news.cn/upfiles/02FB8CA9.002C
HTTP Error 403: Forbidden
http://www.norgereiser.nl/style/norgereiser/files/images/medium/dier_ijsbeer_lw1.jpg
'NoneType' object has no attribute 'shape'
http://kotekino.files.wordpress.com/2007/12/tomatsu.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2384/2078841246_1c35068760.jpg
http://farm2.static.flickr.com/1141/1473961334_91c0de42dd.jpg
http://farm2.static.flickr.com/1424/1435103167_15050b5e5f.jpg
http://farm2.static.flickr.com/1369/1483792512_266c229540.jpg
http://gladstone.uoregon.edu/~kdavis5/crazy-creature.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/48/152685087_13a2079d38.jpg
http://upload.17u.com/uploadfile/2005/11/29/2/2005112915420110908.jpg
http://www.valinor.nl/schleich/images/wildedieren/eigenfotos/slurpiepanorama.jpg
http://farm4.static.flickr.com/3021/3028776624_13a74839fc.jpg
http://farm3.static.flickr.com/2420/2345726351_5d56034e9c.jpg
http://farm4.static.flickr.com/3288/2836822960_cce3c0181a.jpg
http://www.wisselzoo.nl/Image/getImage.aspx?id=90
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3228/2820506254_cab6fc766b.jpg
http://www2.drukkerijmeijerink.nl/images/layout/dier_aap.jpg
'NoneType' object has no attribute 'shape'
http://i102.photobucket.com/albums/m89/jompiej/DSC_4093.jpg
http://farm1.static.flickr.com/14/18183326_09ca468931.jpg
http://www.dierenrijk.nl/uploads/media/620x248_Pelikaan.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/134/334582139_a535bad209.jpg
http://www.canilelucca.com/public/phpThumb/phpThumb.php/85x85;../pannello_di_controllo/img/55953428-cocker.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3565/3424273804_0efaf7a077.jpg
http://farm2.static.flickr.com/1289/3352961299_b89931feab.jpg
http://farm4.static.flickr.com/3148/2576652909_5176bf36cc.jpg
http://1.bp.blogspot.com/_hGJfT5Lmrqw/SLRn-Ku2VjI/AAAAAAAACRY/Q0PMSR-UlKA/s200/belpasso.jpg
http://farm4.static.flickr.com/3185/2496430292_88d3df51a0.jpg
http://farm4.static.flickr.com/3257/2819793185_8e1f73663c.jpg
http://www.fdays.com/attachments/img/47c51c068bec5.jpg
HTTP Error 403: Forbidden
http://farm3.static.flickr.com/2084/1704351013_f5c379f9ac.jpg
http://farm4.static.flickr.com/3371/3424463578_aabe75d6b9.jpg
http://farm1.static.flickr.com/27/51026583_d04e2dbf4c.jpg
http://farm4.static.flickr.com/3217/2335761864_7233a56b5c.jpg
http://www.photophoto.cn/m72/018/056/0180560091.jpg
http://farm1.static.flickr.com/135/335229080_05ba39c7f5.jpg
http://www.bau.it/filestorage/Immagine_r1_2737.jpg
http://farm1.static.flickr.com/48/144794710_34bff25d02.jpg
http://farm1.static.flickr.com/192/488626994_128c07c9eb.jpg
http://byfiles.storage.live.com/y1pNjyuJ8TM4EcLwPXvLbOwsTAJGLHZay6ZhInSFFwNnVwx5r13nzQvgV56d421FMnLTJcK4Sp2WrE
http://farm1.static.flickr.com/167/483329038_659fe74895.jpg
http://idoimg.3mt.com.cn/article/upload/200604/060401010022482.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3607/3394202584_2cde6ac513.jpg
http://2.bp.blogspot.com/_s2oZxc00q7g/SZAymN07sMI/AAAAAAAAAO4/w1dFMloq9HA/s400/AAAA0012.JPG
http://farm1.static.flickr.com/28/60314851_a7c61874e5.jpg
http://huisdieren.hetdierenrijk.nl/konijnen/foto/voeding.jpg
http://www.photophoto.cn/m72/018/056/0180560165.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1963281
'NoneType' object has no attribute 'shape'
http://www.hln.be/static/FOTO/pe/5/4/7/large_474967.jpg
HTTP Error 404: Not Found
http://huisdieren.hetdierenrijk.nl/phpinclude/huisdieren.jpg
http://farm1.static.flickr.com/124/360611992_a6ac8d12fb.jpg
http://farm4.static.flickr.com/3100/2819678791_81b90c99f2.jpg
http://farm4.static.flickr.com/3166/2819676013_a282769d57.jpg
http://farm2.static.flickr.com/1290/1100327860_2bfb2f9d3a.jpg
http://farm3.static.flickr.com/2266/2106490664_a789e11f60.jpg
http://farm1.static.flickr.com/121/308228953_b15f971f3e.jpg
http://farm4.static.flickr.com/3212/2660527201_9e862433e6.jpg
http://farm4.static.flickr.com/3106/2620983077_9ebabbcdb6.jpg
http://ikoptv.com/krn/getThumb.php?cid=AQvxxh7xVNLi5fN5bwa15nU8
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://amuseum.cdstm.cn/AMuseum/dongwu/images/01/010190521-1.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3256/2901314468_f0326232c5.jpg
http://news.xinhuanet.com/photo/2004-03/03/xinsrc_4103010315502824901171.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3232/2771844162_0dc33c4bcd.jpg
http://eraorablog.files.wordpress.com/2008/09/aussi-2-034.jpg
http://www.xawa.nl/2007/dierenrijk_europa/001-europa2007.jpg
HTTP Error 404: Not Found
http://blogsimages.skynet.be/images_v2/002/572/083/20071119/dyn007_original_448_336_pjpeg_2572083_5f76e542f86e77d9f032c8fdfb7144fe.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3618/3374246448_01bdeece5c.jpg
http://farm3.static.flickr.com/2418/2459177386_5fddc30fa6.jpg
http://farm3.static.flickr.com/2078/2308879004_9c90e0e819_o.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462p4f796yglj_medium.JPG
HTTP Error 400: Bad Request
http://www.digitalegroetjes.nl/kaartjes/images/116576487210-719762.jpg
HTTP Error 404: Not Found
http://news.xinhuanet.com/photo/2006-12/13/xinsrc_24212031320112962631342.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3186/2495610085_725c828193.jpg
http://www.bjkp.gov.cn/bjkpzc/tszr/dwly/dwam/images/200310304949.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2360/1801182252_0fde3482de.jpg
http://farm4.static.flickr.com/3615/3382605085_8515ecdc39.jpg
http://files.splinder.com/7dde28396d8b055a3f4662618cf62b71.jpeg
<urlopen error [Errno 61] Connection refused>
http://farm3.static.flickr.com/2275/2495593667_9c6cf88def.jpg
http://i3.sinaimg.cn/travel/ul/2008/1118/U3327P704DT20081118142446.jpg
http://www.17u.com/uploadfile/2006/03/23/2/2006032311393486923.jpg
'NoneType' object has no attribute 'shape'
http://4.bp.blogspot.com/_GR1ftCoG8cM/SYrEZ9QEpII/AAAAAAAAADE/mDaWSEM982c/s400/lemming01.jpg
http://www.megaportal.it/imghost/2008/02/27/1747551204130875.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3219/3116355473_594f3a63c8.jpg
http://www.ponyhill.be/images/dier1_jpg.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.hollanderclub.nl/Foto's%20KleindierenEXpo%202009/HPIM4337-blauw.JPG
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2170/2169640819_85588163c2.jpg
http://farm3.static.flickr.com/2299/2468828903_ee2b101b20.jpg
http://farm1.static.flickr.com/220/498533406_de78a870b5.jpg
http://www.zizone.tv/krn/getThumb.php?cid=AQh8DT9kNGoa0Ib9IGWY02XO
HTTP Error 404: Not Found
http://image1.club.sohu.com/pic/97/1b/zz0051ae13756039733633.jpg
HTTP Error 502: Bad Gateway
http://farm3.static.flickr.com/2360/2230923400_95364c0287.jpg
http://farm3.static.flickr.com/2176/2529749620_00f18e8246.jpg
http://www.verzeo.nl/images/katten.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1963272
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3591/3343034151_7e01caa5d9.jpg
http://farm3.static.flickr.com/2141/2371761292_d277d1b24c.jpg
http://farm1.static.flickr.com/87/246672847_fb524995df.jpg
http://farm4.static.flickr.com/3164/2661407674_5e226beedc.jpg
http://www.noblechinese.com/guiren-news2/admin/ewebeditor/UploadFile/2007921103312286.jpg
<urlopen error [Errno 60] Operation timed out>
http://www.studio-evenaar.nl/dierenpark/images/wolf-eur04.jpg
http://farm3.static.flickr.com/2314/2518519714_98b01968ee.jpg
http://img3.pcpop.com/upimg3/2006/2/25/0000535494.jpg
[Errno 54] Connection reset by peer
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/img_1780_swe_zin.jpg
'NoneType' object has no attribute 'shape'
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462sziu73a44u_medium.JPG
HTTP Error 400: Bad Request
http://farm1.static.flickr.com/90/211564588_eababd12a1.jpg
http://farm4.static.flickr.com/3160/2820503770_f4704839b5.jpg
http://farm4.static.flickr.com/3108/2902865050_488daceda9.jpg
http://farm4.static.flickr.com/3072/2819761099_cfe68fdf6b.jpg
http://farm3.static.flickr.com/2147/2105782303_ee758ef06b.jpg
http://farm4.static.flickr.com/3163/2978163592_7602de0baf.jpg
http://farm1.static.flickr.com/88/238559825_4c552d92db.jpg
http://farm2.static.flickr.com/1420/1457079202_4a387d3f48.jpg
http://xianzimoruo68.68ab.com/正在寻蚂蚁的食蚁兽.jpg
'ascii' codec can't encode characters in position 5-13: ordinal not in range(128)
http://farm4.static.flickr.com/3154/2820535994_5b68a8c0b7.jpg
http://farm2.static.flickr.com/1260/537267160_726114122c.jpg
http://farm2.static.flickr.com/1154/1482430862_bcc2eca0c9.jpg
http://farm4.static.flickr.com/3081/2789668253_d96eb37c97.jpg
http://farm1.static.flickr.com/44/141666587_623f22d7e4.jpg
http://image.phototime.cn/image1/middle/5204/74/C18918510.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm2.static.flickr.com/1216/1097249648_1978e9861d.jpg
http://farm3.static.flickr.com/2201/2415420964_941f701d3b.jpg
http://farm1.static.flickr.com/112/286568885_a19c7f2ff3.jpg
http://cimitero.zampette.it/pagina/33/ph/Nala.jpg
HTTP Error 403: Forbidden
http://i56.photobucket.com/albums/g183/marciopop/animali/RSCN0293.jpg
http://farm3.static.flickr.com/2213/2167247438_7efe87173b.jpg
http://www.photophoto.cn/m72/018/056/0180560146.jpg
http://farm3.static.flickr.com/2342/1702536761_46eaf146db.jpg
http://farm4.static.flickr.com/3572/3342718453_aa51b1871b.jpg
http://eng.tibet.cn/news/today/200901/W020090108525018477394.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2371/2193768231_b0b68ff92a.jpg
http://utenti.quipo.it/gengish/stranissimo/varie/snake.1.jpg
http://farm4.static.flickr.com/3591/3333499800_6d8999bc35.jpg
http://farm4.static.flickr.com/3152/2632485004_03999002e7.jpg
http://farm1.static.flickr.com/22/39688168_3c6e9e75b8.jpg
http://www.szzoo.net/news/uploadfile/2008092602.jpg
http://farm2.static.flickr.com/1361/1314728998_d0bf09586d.jpg
http://www.ma-aversa.it/images/rocco/25112006/roccook1.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/52/109224707_f6815760ca.jpg
http://farm1.static.flickr.com/41/88389437_a648ed989e.jpg
http://farm2.static.flickr.com/1380/1425498899_9d982800a1.jpg
http://img1.zxxk.com/Biologicalnews/2008-11/ZXXKCOM2008112810504537074.jpg
HTTP Error 404: Not Found
http://www.photophoto.cn/m72/018/056/0180560133.jpg
http://www.hiyoo.cn/img/1610/1174879051003.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/6/9218780_fffda59cd0.jpg
http://farm3.static.flickr.com/2287/1780799475_3da3765df9.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/120948378146268soea2vh0_medium.JPG
HTTP Error 400: Bad Request
http://www.still-lifephotography.com/images/dier5.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.rbzout.nl/resources/Image/dier3.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3085/2735712694_e1b34202cd.jpg
http://utenti.lycos.it/naturaviva/images/princi3.jpg
'NoneType' object has no attribute 'shape'
http://www.valinor.nl/schleich/images/wildedieren/eigenfotos/azi.jpg
http://www.cbifamily.com/tuhai/sheying/h001/h48/img200902121656410.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3220/2819656071_b698d8d483.jpg
http://loesjesbeestenboel.web-log.nl/loesjes_beestenboel/images/2008/10/27/van_alles_19.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3181/2732799344_a1c46b6149.jpg
http://farm1.static.flickr.com/51/173136731_eb0ea85471.jpg
http://farm3.static.flickr.com/2376/2221820233_f7a9742899.jpg
http://farm4.static.flickr.com/3223/2926788925_280b5ea000.jpg
http://farm3.static.flickr.com/2032/2384251767_4fdaf402d8.jpg
http://www.agraria.org/equini/andaluso.jpg
http://farm4.static.flickr.com/3048/2333293836_70490cf111.jpg
http://www.corriere.it/Fotogallery/Tagliate/2007/01_Gennaio/18/muc/07.jpg
http://1.bp.blogspot.com/_pdEw9cLo-s0/SLHdpaCMntI/AAAAAAAAAfA/Ewv02uDdr_A/s400/zanetti1of6.jpg
http://goryopawskie.pl/html/gfx/fauna.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.recreatienet.com/ricnet/internet/footzy/fotos/3357_1
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3138/3002232960_3a04934dae.jpg
http://farm4.static.flickr.com/3205/2819608413_b799a9ed76.jpg
http://farm1.static.flickr.com/26/42271724_b4f1b7d1f6.jpg
http://farm4.static.flickr.com/3066/3118857948_25aca46d25.jpg
http://www.fotoplatforma.pl/foto_galeria/2623_DSCN5174.jpg
http://farm3.static.flickr.com/2227/2208998311_019cb26c5d.jpg
http://farm1.static.flickr.com/53/136430655_889bffa0fc.jpg
http://farm4.static.flickr.com/3261/2494490262_febe666d99.jpg
http://farm4.static.flickr.com/3247/2900470023_701e914808.jpg
http://farm3.static.flickr.com/2262/2144962096_f6f7f7f333.jpg
http://img.ifeng.com/hres/200812/08/11/b582146337ead786086d915cda30ea6d.jpg
http://www.paulvanbenthem.nl/images/dier%20voeders.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2378/2101546002_7b4d1a1d72.jpg
http://www.bocconiavvelenati.it/saras1.gif
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/90/224093739_e73a0569e8.jpg
http://farm3.static.flickr.com/2159/2307121646_a297d477a9.jpg
http://www.photophoto.cn/m2/018/026/0180260249.jpg
http://farm4.static.flickr.com/3640/3390880000_1bd11cfaa2.jpg
http://farm1.static.flickr.com/155/427113262_585d50f44e.jpg
http://farm1.static.flickr.com/43/87666227_a4836bc428.jpg
http://farm4.static.flickr.com/3139/2858351570_cd041b29d5.jpg
http://farm3.static.flickr.com/2268/1862834084_eb4989dbd0.jpg
http://www.szzoo.net/news/uploadfile/2008092601.jpg
http://farm4.static.flickr.com/3067/2487291985_fe237bde20.jpg
http://farm4.static.flickr.com/3159/2556939720_4aa964f84a.jpg
http://farm4.static.flickr.com/3208/2289110270_1b0d44c243.jpg
http://farm4.static.flickr.com/3590/3399863953_5b7ced4d9b.jpg
http://farm3.static.flickr.com/2120/2260310327_214bf10711.jpg
http://farm1.static.flickr.com/46/151963164_a4e1d06d1a.jpg
http://farm3.static.flickr.com/2119/2122530539_4f446cfa7f.jpg
http://farm1.static.flickr.com/48/168128408_a2e59c1df9.jpg
http://farm1.static.flickr.com/39/76244838_c3eab8e441.jpg
http://farm1.static.flickr.com/2/1345687_fde3a33c03.jpg
http://www.dierennieuws.nl/dierentuinen/img/dre12.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/53/140393393_3d48b84e1f.jpg
http://www.valinor.nl/schleich/images/wildedieren/eigenfotos/pingu.jpg
http://image.phototime.cn/image1/middle/5204/fc/C41841265.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm3.static.flickr.com/2348/2271624812_397108997e.jpg
http://www.fotoplatforma.pl/foto_galeria/3477_DSCN4136.jpg
http://farm4.static.flickr.com/3117/2530513811_633951013b.jpg
http://farm1.static.flickr.com/45/118864327_5815216a26.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1962190
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2306/2458342459_2476d3a863.jpg
http://farm2.static.flickr.com/1153/649216103_f509e6cd68.jpg
http://www.puppydogweb.com/gallery/beagles/beagle_calvo.jpg
http://farm3.static.flickr.com/2274/2288324551_f3cb25898a.jpg
http://www.stalholthausen.com/assets/images/16-4-06_Frodo_en_Dier_steigeren_2.jpg
HTTP Error 404: Not Found
http://www.omroepbrabant.nl/graphics/image.aspx?object=news&type=large&image=Olifanten2_350.jpg
http://farm2.static.flickr.com/1392/542075199_93158a88d5.jpg
http://farm3.static.flickr.com/2297/2099417190_712f7a52db.jpg
http://farm4.static.flickr.com/3140/2807301373_cd17927634.jpg
http://www.deharpij.nl/pictures/Foto's/gewone%20zeehond%20(foto%20Rolf%20Veenhuizen).jpg
HTTP Error 500: Internal Server Error
http://farm3.static.flickr.com/2321/2123074243_a085bd2b0b.jpg
http://www.50plusser.nl/weblog/images/innemien/50_plus-524-4212-0903091249-tatoo2.jpg
http://farm2.static.flickr.com/1264/1124642558_2d12b8f5c4.jpg
http://www.fruitwaard.com/_picturesNatuur/ZWAANFOTO.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1280/830281127_a5e629d51d.jpg
http://farm1.static.flickr.com/17/89729151_db8729c9cf.jpg
http://z.abang.com/d/hainan/1/0/F/2/-/-/eyu.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.naturamediterraneo.eu/Public/data5/istrice/DSC_2013.jpg_20071118174258_DSC_2013.jpg
http://www.digi-irma.nl/fotos/dieren2/dier4.JPG
HTTP Error 404: Not Found
http://210.75.207.93:8923/szbwga/burulei/flzs/images/2008/12/13/03FCAC1DB78742B1A9585B8A01A0FAB4.jpg
<urlopen error [Errno 60] Operation timed out>
http://www.photophoto.cn/m1/018/001/0180010255.jpg
http://photo.store.qq.com/rurl2=a5849ce9ed5d5c684ad69b2a030d2093b8a15ea991340a4f32bb6d8ff5c1f399601710440e5e74d9097f39a6b448d76beaabf36ff0055467d3dabe5946adf2b26d72c2a5d84f248989de0049bd785c2f13af60cc
http://www.studio-evenaar.nl/dierenpark/images/kat-eur-wilde02.jpg
http://farm4.static.flickr.com/3190/2961261798_5c7bd41cf8.jpg
http://farm1.static.flickr.com/67/225894901_f9b7ff8e87.jpg
http://farm4.static.flickr.com/3235/2928128183_e84a2e1137.jpg
http://farm4.static.flickr.com/3091/2745527713_ff6d1a5553.jpg
http://www.canislupus.it/Public/amiata.JPG
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3017/2445513480_22afdeb021.jpg
http://farm1.static.flickr.com/197/449666164_2f7a361bdd.jpg
http://farm1.static.flickr.com/31/51764874_81ac28988f.jpg
http://www.smsmelone.it/web%20nuovo/animali/nuova_5.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3015/2495587659_770761f619.jpg
http://imgk.zol.com.cn/dcbbs/3416/a3415202_s.jpg
http://farm2.static.flickr.com/1306/1426174268_b409e2fa77.jpg
http://img1.pconline.com.cn/piclib/200805/03/batch/1/1960/1209829306291lm4rpe4l4e_medium.jpg
HTTP Error 400: Bad Request
http://farm1.static.flickr.com/133/377618924_669f91554b.jpg
http://oertv.eu/Dier%20&%20plant/slides/dier&plant_07.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3510/3198201836_8456c033db.jpg
http://farm3.static.flickr.com/2409/2488659375_448d7cdf3d.jpg
http://farm1.static.flickr.com/81/274072385_c063b1c806.jpg
http://farm4.static.flickr.com/3215/2840900450_1887e86442.jpg
http://farm4.static.flickr.com/3038/3052480586_c06b96b9d2.jpg
http://4.bp.blogspot.com/_VZAMQyFtMDg/SWYCRS1izlI/AAAAAAAAJIk/lgOwgZ_ff-I/s320/zar.jpg
http://files.splinder.com/9cb81d64dd651d9b96cfb79fd66f4678.jpg
<urlopen error [Errno 61] Connection refused>
http://files.splinder.com/88fb115a2fa3f6b4e8794651cd0d3a13.jpg
<urlopen error [Errno 61] Connection refused>
http://1.bp.blogspot.com/_hGJfT5Lmrqw/SPb2T_59StI/AAAAAAAAD5E/iVez-Qop7Ec/s200/palermo.jpg
http://byfiles.storage.live.com/y1pass5CypXdgjBxmDjETWYqnA6J-rPR9SHlnCh7jeaP_EYME5VnnNLYerhVbuGjGdaKed1hiu71OY
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3255/2297490268_4ae821481d.jpg
http://farm4.static.flickr.com/3174/2738949543_129e4b8904.jpg
http://farm1.static.flickr.com/69/154319184_1e722893d1.jpg
http://bbs.cn.yimg.com/user_img/200902/02/wx7452_1233536840867931.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/27/35413690_7c21b6ad74.jpg
http://farm1.static.flickr.com/95/240729014_273cb2141a.jpg
http://blufiles.storage.live.com/y1pSZ6VIurHkvprYOlGvGVOxILZb-ymPEnOHmjTZPmvLZI6KujqfsB9HIAUDfU0sb-Z6_RqOBV-xc8
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3067/2919179438_35c8879bdd.jpg
http://farm2.static.flickr.com/1412/598845064_b062248125.jpg
http://farm1.static.flickr.com/54/141673236_222b2e6ed3.jpg
http://farm4.static.flickr.com/3232/3098721055_dd22bb546f.jpg
http://imgsrc.baidu.com/baike/pic/item/6a22e82461b325208644f943.jpg
http://farm4.static.flickr.com/3183/2820569076_a82e7b93fa.jpg
http://farm1.static.flickr.com/115/303421558_c3bdac434d.jpg
http://farm4.static.flickr.com/3303/3239959640_0575e313b8.jpg
http://farm2.static.flickr.com/1208/1304833086_2a65035c9e.jpg
http://farm4.static.flickr.com/3126/2493668327_239ce2d8de.jpg
http://www.express.be/pictures/300@280/joker/chimpansee.jpg
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/147/334448520_d40d94d669.jpg
http://www.dekamelenhoeven.nl/images/f_kamelen_man_3.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1368/532929237_c999c4662e.jpg
http://farm1.static.flickr.com/76/220100139_65a471d796.jpg
http://aoc03.qmark.nl/resources/t-dier-geit01-boerbokgeit%20qmp.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2045/2185231345_bd4e285c0d.jpg
http://farm1.static.flickr.com/107/303420112_2b07e405ab.jpg
http://farm3.static.flickr.com/2396/1906662004_7a32214d77.jpg
http://farm2.static.flickr.com/1387/1444780812_31feb677f9.jpg
http://news.ynxxw.com/yn/shxw/200803/W020080314571958908138.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3125/3262852963_ddf7423fdd.jpg
http://www.windoweb.it/desktop_foto/foto_cani/foto_cani_312.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/146/359669760_25c158a7ff.jpg
http://farm4.static.flickr.com/3260/2820601592_baa645cf67.jpg
http://files.splinder.com/fe0eac1416cd9ebcb73e66514b81246c.jpg
<urlopen error [Errno 61] Connection refused>
http://farm1.static.flickr.com/221/480600577_50daf216e0.jpg
http://farm1.static.flickr.com/62/218998565_62930f10fc.jpg
http://hethofvaneden.nl/images/ook%20mai-ling.JPG
http://farm1.static.flickr.com/44/136424110_4d92fa96c9.jpg
http://farm4.static.flickr.com/3124/2752176693_e7f09c3e7a.jpg
http://1.bp.blogspot.com/_hGJfT5Lmrqw/SWYWXHakOoI/AAAAAAAAGRs/fvh3zpzOKv4/s200/31-09.jpg
http://farm4.static.flickr.com/3382/3198376503_649a048d95.jpg
http://www.photophoto.cn/m72/018/056/0180560126.jpg
http://www.sociovzw.be/index_bestanden/God/090106a.full.jpg
http://www.sznews.com/news/content/images/site3/20080512/001422474d65099266ef03.jpg
http://byfiles.storage.live.com/y1pNjyuJ8TM4Ef_x4eFOQ-2Oj6HrdWevldLzv0A6107nJWAaaFLl-niHX1AEEYhp6Ef-1MQ_zO3UlE
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462zbj2clh417_medium.JPG
HTTP Error 400: Bad Request
http://2.bp.blogspot.com/_hGJfT5Lmrqw/SZhsvqQVfhI/AAAAAAAAHhw/vC016UNpuiM/s200/195-09_1.jpg
http://farm3.static.flickr.com/2045/2272757750_80d83c5862.jpg
http://www.deharpij.nl/pictures/Foto's/Europese%20wilde%20kat%20Foto%20Rolf%20Veenhuizen%20(33).jpg
HTTP Error 500: Internal Server Error
http://www.studio-evenaar.nl/dierenpark/images/ijsbeer01.jpg
http://farm4.static.flickr.com/3100/2545511301_376a6f2e14.jpg
http://www.valinor.nl/schleich/images/boerderijdieren/eigenfotos/Hennie.jpg
http://www.cng.com.cn/allarticle/news/img/20057211036580.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.bndestem.nl/multimedia/archive/00379/Bijenkorf_haalt_foi_379934b.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/30/61263719_312e2f1290.jpg
http://idoimg.3mt.com.cn/article/upload/050914161154180.jpg
'NoneType' object has no attribute 'shape'
http://www.schooltv.nl/beeldbank/mmbase/images/1963276
'NoneType' object has no attribute 'shape'
http://img514.imageshack.us/img514/7955/forrest001ol7.jpg
HTTP Error 404: Not Found
http://www.bocconiavvelenati.it/bimbi.jpg
'NoneType' object has no attribute 'shape'
http://www.photophoto.cn/m72/018/056/0180560164.jpg
http://farm4.static.flickr.com/3386/3229893260_e2608aa8f2.jpg
http://1.bp.blogspot.com/_-uv60n1TQKY/SOOAP0FMiaI/AAAAAAAAADg/Ya0YyiHKOek/S760/MEDITAZIONE.jpg
http://www.xawa.nl/2007/dierenrijk_europa/007-europa2007.jpg
HTTP Error 404: Not Found
https://h9f8yq.bay.livefilestore.com/y1m7B72ZVgDqmTkA1HAAEkpU970LWJOiBVlXRMqPA37m-9hxw_P2gXsfCWEQi5OzjYT3kIJooOwRKfqzeC1oHCAJf8UMeZnEUTBvkTuE5jl5RcNUjdUw6EPqAXNoo3FPA-1kdFea2GccTo/00%20arm%20dier.jpg
http://farm4.static.flickr.com/3261/2896351553_02aae5d65f.jpg
http://media.zobrabant.nl:81/img/dyn/c1df7fe31185d378ca55d62cf46b9235_175x116.jpg
<urlopen error [Errno 61] Connection refused>
http://3.bp.blogspot.com/_hGJfT5Lmrqw/SUdyhCM1joI/AAAAAAAAFqg/_Ro1NMmBviI/s200/gas.jpg
http://www.uitmetkinderen.be/belgie/images-feestje/dierenrijk.jpg
http://www.photophoto.cn/m10/018/056/0180560069.jpg
http://farm4.static.flickr.com/3137/2546264698_a49e1682dd.jpg
http://farm4.static.flickr.com/3176/2433586904_180fae9f14.jpg
http://farm3.static.flickr.com/2382/2113442785_679a23f539.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/120948378146288znjn0jg3_medium.JPG
HTTP Error 400: Bad Request
http://farm1.static.flickr.com/202/505892640_a098924240.jpg
http://www.bongo.nl/image_cache/107269_206_206_FSImage_1_dierenrijk_11.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3089/3127474364_bec25f1958.jpg
http://farm1.static.flickr.com/231/499101460_309e9013f1.jpg
http://farm4.static.flickr.com/3290/2755566633_8e4433bdca.jpg
http://3.bp.blogspot.com/_PsQbeQ9K4-s/SSSYQKqgt4I/AAAAAAAAACc/hVJY54uW-Z0/s320/IMG_0628-740867.JPG
http://i56.photobucket.com/albums/g183/marciopop/animali/RSCN0081.jpg
http://www.photophoto.cn/m72/018/056/0180560138.jpg
http://pig163.net/uploads/allimg/090310/116303K0E-1.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2107/1828838910_91fba10c59.jpg
http://farm4.static.flickr.com/3175/2832051489_faa3c852f4.jpg
http://farm4.static.flickr.com/3273/2820539440_0cbeb7c35f.jpg
http://farm4.static.flickr.com/3284/2994054401_1a24ffceeb.jpg
http://farm2.static.flickr.com/1032/544435633_48614bb112.jpg
http://farm3.static.flickr.com/2088/2081400112_09eee798af.jpg
http://farm1.static.flickr.com/144/329107595_404c73be29.jpg
http://farm4.static.flickr.com/3605/3348984727_7562a5ed91.jpg
http://fotootjesvanannelies.web-log.nl/olifantfotootjes/images/2008/08/24/s6300295b.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3008/2963015253_fc4aae3632.jpg
http://farm4.static.flickr.com/3226/2912003674_1393a40f5f.jpg
http://2.bp.blogspot.com/_0BrcOm6q2_Q/Sa0qG5cz_KI/AAAAAAAAAIw/kyldTnkhJIQ/s320/mamma+e+piccoli+nati+da+3+gg.JPG
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2220/2055437512_6ccd4b5949.jpg
http://farm4.static.flickr.com/3592/3390046741_d3cb9b723a.jpg
http://farm1.static.flickr.com/180/375721005_010f2f0910.jpg
http://farm4.static.flickr.com/3050/2987835600_ecdcbfa4ed.jpg
http://farm4.static.flickr.com/3339/3307730163_5faa4668c3.jpg
http://farm4.static.flickr.com/3152/2669860883_43dd731d6b.jpg
http://farm2.static.flickr.com/1340/1479456974_4670fb97a0.jpg
http://farm4.static.flickr.com/3137/2994432799_5a0133452b.jpg
http://www.photophoto.cn/m69/018/026/0180260447.jpg
http://farm2.static.flickr.com/1060/1427784482_d2bf7fad47.jpg
http://farm4.static.flickr.com/3579/3399346087_9451920968.jpg
http://www.dierenrijk.nl/uploads/media/620x248_Bruine_beer_zittend.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3068/2846658991_1e4c281180.jpg
http://farm2.static.flickr.com/1358/1426249400_07f6411fb3.jpg
http://farm1.static.flickr.com/39/75179043_afbb398e91.jpg
http://www.fotoplatforma.pl/foto_galeria/2918_DSCN9702.jpg
http://farm4.static.flickr.com/3222/3118874674_f0fc508612.jpg
http://farm1.static.flickr.com/67/168404351_e89dfc0b6a.jpg
http://farm4.static.flickr.com/3102/2819720413_2b67b304f5.jpg
http://farm4.static.flickr.com/3073/2626053446_e6ebebba8c.jpg
http://farm4.static.flickr.com/3040/2846658793_394367c6a5.jpg
http://www.ed.nl/multimedia/archive/00778/beren_778209b.jpg
HTTP Error 404: Not Found
http://www.photophoto.cn/m10/018/056/0180560065.jpg
http://farm3.static.flickr.com/2113/2252583296_1d49e632eb.jpg
http://farm4.static.flickr.com/3238/2495886880_3489478fbf.jpg
http://farm3.static.flickr.com/2295/2347006628_ff2fac0b05.jpg
http://farm4.static.flickr.com/3653/3412456200_8bd8dcb784.jpg
http://farm4.static.flickr.com/3444/3390060969_2b86eaf303.jpg
http://static.blogo.it/ecoblog/Abbandonoanimali.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3016/3056800768_b328743a5f.jpg
http://thec-factor.nl/userfiles/image/tunesie%20014.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3123/3213330006_f424574de1.jpg
http://farm1.static.flickr.com/135/341205893_0820b090d8.jpg
http://farm1.static.flickr.com/127/338396112_42e30af61c.jpg
http://farm3.static.flickr.com/2232/2248062969_4a92e2902f.jpg
http://farm4.static.flickr.com/3210/2394223853_061e5bcc76.jpg
http://farm4.static.flickr.com/3176/2581949025_4276d486f1.jpg
http://img61.imageshack.us/img61/1751/temminckii01yq2.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/179/422429789_205dc658d0.jpg
http://farm4.static.flickr.com/3029/2912040772_a7a6b0dfd7.jpg
http://farm1.static.flickr.com/42/103035880_cf2bc64216.jpg
http://i274.photobucket.com/albums/jj260/leone-s-61/animali_buffi14.jpg
http://farm4.static.flickr.com/3139/2297645199_2c89b26a60.jpg
http://farm4.static.flickr.com/3165/2752179469_80403bdf15.jpg
http://farm1.static.flickr.com/53/171645727_32525f4385.jpg
http://farm3.static.flickr.com/2288/2330230570_fe073d7f8e.jpg
http://www.tipsvoortwee.nl/DagjeUit/Overdag/dierenrijk.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3031/3046325486_0abd72ce14.jpg
http://farm4.static.flickr.com/3059/2628244959_745164d782.jpg
http://www.ruthvanbeek.com/pics/konijn039316.jpg
http://farm4.static.flickr.com/3444/3390044151_416fa1027d.jpg
http://farm3.static.flickr.com/2116/1562903733_45fcbfcdb4.jpg
http://farm3.static.flickr.com/2164/2069371914_df23d408da.jpg
http://fotootjesvanannelies.web-log.nl/olifantfotootjes/images/2008/06/15/img_1667a.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3139/2354524315_992cd61374.jpg
http://farm2.static.flickr.com/1068/528734135_2feff4e199.jpg
http://farm4.static.flickr.com/3388/3212483163_700187be8e.jpg
http://farm2.static.flickr.com/1054/827769401_761246de7f.jpg
http://farm4.static.flickr.com/3179/2546336342_c147629c5a.jpg
http://farm1.static.flickr.com/101/276615067_8be35ec3dc.jpg
http://farm4.static.flickr.com/3581/3370197575_998881d033.jpg
http://www.atran.eu/gallery2/d/49593-5/DierentuinDierenrijkEuropa.jpg
HTTP Error 404: Not Found
http://travel.maoming.cn/guangdong/h000/h19/img200701230109321.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2146/2161656461_b86b433db1.jpg
http://farm4.static.flickr.com/3196/2908490589_8e72aa79bd.jpg
http://www.opvangaaenhunze.nl/contents/contents/media/joke.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.schooltv.nl/beeldbank/mmbase/images/1962762
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2334/2005160820_5ab5d458df.jpg
http://farm1.static.flickr.com/121/261669132_3ebde5c21d.jpg
http://files.splinder.com/482a33fb8371ea69869c3e43813dc63d.jpeg
<urlopen error [Errno 61] Connection refused>
http://farm3.static.flickr.com/2023/2289101472_17b9fbb529.jpg
http://farm4.static.flickr.com/3607/3390886140_ca35e9e81e.jpg
http://farm4.static.flickr.com/3095/2546264746_60b471f7b4.jpg
http://www.agneseginocchio.it/FotoNotizieGiorn/14foto%20news%20alto%20casertano/Pastore%20Tedesco%20abbandonato%20Alife%203.jpg
HTTP Error 404: Not Found
http://www.dispenser.rai.it/imgservizi/2005-05-18-1.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3415/3414935539_dc8a386e83.jpg
http://farm4.static.flickr.com/3006/2774208035_07db799ccf.jpg
http://farm4.static.flickr.com/3657/3415738992_fecc303889.jpg
http://farm1.static.flickr.com/33/43256793_1ef9182e3a.jpg
http://www.sciencenet.cn/paper/upload/200819105410743.jpg
HTTP Error 404: Not Found
http://i0.sinaimg.cn/qc/ul/2007/0126/U1290P33DT20070126121150.jpg
http://farm2.static.flickr.com/1170/1343793573_080af9e9da.jpg
http://farm4.static.flickr.com/3126/2723745451_c23d22c85c.jpg
http://cimg2.163.com/catchpic/6/6C/6C0459A91F8FB6BA3FEA1AC976021A83.jpg
http://farm3.static.flickr.com/2270/2411411316_a7c2e2be4c.jpg
http://farm4.static.flickr.com/3098/2858029648_7c7cae65e2.jpg
http://farm4.static.flickr.com/3109/3118856450_d4bdd90e1c.jpg
http://farm1.static.flickr.com/143/344853366_02359a3183.jpg
http://farm1.static.flickr.com/32/93566039_799abb7bf3.jpg
http://farm4.static.flickr.com/3172/2638922212_8e0d7db724.jpg
http://farm4.static.flickr.com/3083/3118876710_ef13235e27.jpg
http://farm4.static.flickr.com/3221/2472779565_cfc8bbcd5b.jpg
http://arumi.blog.kataweb.it/files/photos/uncategorized/2007/05/22/pit_3.jpg
http://www.valinor.nl/schleich/images/boerderijdieren/eigenfotos/bertha.jpg
http://farm4.static.flickr.com/3023/2819611031_c922e27811.jpg
http://farm1.static.flickr.com/182/424344524_b2e68d2d8c.jpg
http://farm2.static.flickr.com/1100/760918382_ee7c576836.jpg
http://farm4.static.flickr.com/3061/3105020640_d4d083ba7b.jpg
http://farm3.static.flickr.com/2046/2272820021_d3c01a5e03.jpg
http://farm1.static.flickr.com/113/303420115_ad21165201.jpg
http://www.partijvoordedieren.nl/images/Muskusrat_Ondatra-zibethicus(1).jpg
http://farm4.static.flickr.com/3060/2584576300_87fa634bb3.jpg
http://farm1.static.flickr.com/129/341207543_c8531155e2.jpg
http://farm3.static.flickr.com/2376/2153004006_b484abbdc5.jpg
http://farm2.static.flickr.com/1262/1347826053_7df7460427.jpg
http://farm1.static.flickr.com/149/340839965_5728eed227.jpg
http://farm3.static.flickr.com/2076/2059245827_4a1b8af3eb.jpg
http://farm4.static.flickr.com/3173/3038421695_f2bd450c2d.jpg
http://farm2.static.flickr.com/1403/761861203_0c70ac36dd.jpg
http://www.ponyhill.be/images/dier2_jpg.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1375/1090950414_6ac8b81fe8.jpg
http://www.studio-evenaar.nl/dierenpark/images/kat-eur-wilde03.jpg
http://farm2.static.flickr.com/1387/1386573487_9b53b66772.jpg
http://farm3.static.flickr.com/2015/2180947420_fd21a2d19c.jpg
http://farm4.static.flickr.com/3203/2825684708_c4112b565c.jpg
http://farm3.static.flickr.com/2262/2217727380_f526754bee.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1962768
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3066/2459435369_1b860162c2.jpg
http://farm3.static.flickr.com/2053/2495322343_5108610780.jpg
http://farm4.static.flickr.com/3180/2825684628_f076abc0c8.jpg
http://farm2.static.flickr.com/1092/1414267073_9f6747b4ac.jpg
http://farm1.static.flickr.com/102/363393201_6bb9ee2fc7.jpg
http://farm4.static.flickr.com/3230/2900469815_7279b84dd7.jpg
http://www.emergenzanimali.com/files/page4_blog_entry617_1.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm4.static.flickr.com/3069/2825684514_8701e37e12.jpg
http://farm3.static.flickr.com/2057/1502728076_e25ddfc35b.jpg
http://farm3.static.flickr.com/2214/2054836038_f536e47b11.jpg
http://farm4.static.flickr.com/3270/2548162752_2061019603.jpg
http://farm4.static.flickr.com/3563/3325773468_d4714d959f.jpg
http://farm4.static.flickr.com/3070/2420392269_472a6e01a6.jpg
http://farm3.static.flickr.com/2100/2374346486_e577d9cb03.jpg
http://farm4.static.flickr.com/3065/2820448098_7ea2335ac6.jpg
http://farm4.static.flickr.com/3253/2808511834_074834cd5b.jpg
http://farm4.static.flickr.com/3065/2812815178_ac925fc409.jpg
http://farm4.static.flickr.com/3029/3070719704_b24b3f5315.jpg
http://farm1.static.flickr.com/137/353863560_b9665304b4.jpg
http://fotootjesvanannelies.web-log.nl/olifantfotootjes/images/2008/08/24/s6300296a.jpg
'NoneType' object has no attribute 'shape'
http://bp2.blogger.com/_gGHVCypP37E/RsIeL6xv7oI/AAAAAAAAAP8/BKl7SkOzK4I/s400/vleermuis.jpg
http://www.dagjewegblog.nl/uploads/Kattenkopweek-Nuenen.jpg
<urlopen error [SSL: CERTIFICATE_VERIFY_FAILED] certificate verify failed (_ssl.c:777)>
http://farm3.static.flickr.com/2360/2260310427_a4ac55bbb0.jpg
http://farm4.static.flickr.com/3317/3426945978_6704d6757c.jpg
http://farm4.static.flickr.com/3157/2495600639_b061507050.jpg
http://www.hollandaccent.nl/locaties/lok18/Website_Engels/Afbeeldingen/MBO-Dier-6.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/166/385684060_6d1ee6dc21.jpg
http://farm2.static.flickr.com/1252/1432862975_ced6d04835.jpg
http://amuseum.cdstm.cn/AMuseum/dongwu/images/01/010010007-1.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3124/2902854166_89defdd692.jpg
http://rodentbe.free.fr/fotos/standaarden/standa24.jpg
http://farm4.static.flickr.com/3222/2796471935_8c56624577.jpg
http://farm1.static.flickr.com/15/69856872_a66b198dff.jpg
http://farm4.static.flickr.com/3098/3213329922_9c77cd367c.jpg
http://farm4.static.flickr.com/3062/2636810057_0c5b290c5b.jpg
http://www.nos.nl/nosjournaal/images/ijsbeer_dierenrijk_tcm44-373228.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/112/260490891_cf2d1c7be5.jpg
http://farm4.static.flickr.com/3076/2546264880_e33b226bed.jpg
http://farm1.static.flickr.com/78/185073845_6ede49fb9e.jpg
http://farm4.static.flickr.com/3215/3004562123_cd203a8186.jpg
http://farm3.static.flickr.com/2045/2318235230_b01646c862.jpg
http://farm1.static.flickr.com/168/378794138_e0658cedc7.jpg
http://farm4.static.flickr.com/3281/3118868206_a311659fee.jpg
http://farm4.static.flickr.com/3225/2851527863_4300a5afef.jpg
http://farm1.static.flickr.com/32/42879750_320572046e.jpg
http://3.bp.blogspot.com/_hGJfT5Lmrqw/SZhwUqlKkmI/AAAAAAAAHjQ/v-W5G_q-3sI/s200/257-09_2.jpg
http://farm4.static.flickr.com/3074/2912063492_8c3211f8f6.jpg
http://farm4.static.flickr.com/3123/2755563611_3123ee2099.jpg
http://farm4.static.flickr.com/3154/2424337812_0f787efa60.jpg
http://farm4.static.flickr.com/3194/2903401327_2b0da4625f.jpg
http://www.bocconiavvelenati.it/spike.gif
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3039/2820509046_3fb57efdf5.jpg
http://farm4.static.flickr.com/3205/3111462023_82f7a0e742.jpg
http://farm4.static.flickr.com/3048/2811542160_9636aec144.jpg
http://www.demorgen.be/static/FOTO/pe/9/9/9/media_xl_251949.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2407/2141317399_23eca145a9.jpg
http://farm1.static.flickr.com/53/133840265_acfbad6abd.jpg
http://www.myopencity.it/upload/content/orig_a8b4130431e19e6d4f97e1e792febc69.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3256/2890551945_873c65f400.jpg
http://farm4.static.flickr.com/3296/3017435136_32ae0b68a2.jpg
http://farm2.static.flickr.com/1370/1484128090_12837be7b0.jpg
http://www.uitinbrabant.nl/contentimages/Image/34583010.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2030/2161788064_4356ff6d89.jpg
http://farm4.static.flickr.com/3273/3281019720_5db4049d96.jpg
http://farm1.static.flickr.com/79/278281016_d2371f8d15.jpg
http://farm4.static.flickr.com/3454/3390060023_b010d18c1b.jpg
http://farm4.static.flickr.com/3188/3118039009_ecc0ef08d4.jpg
http://www.dierenrijk.nl/uploads/media/620x248_Vos.jpg
HTTP Error 404: Not Found
http://www.luisjaspe.nl/ILLUSjaspe/dier5.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3252/3008234031_6368409764.jpg
http://www.laitour.com/JinDianPhoto/91/5349209.jpg
<urlopen error [Errno 60] Operation timed out>
http://club.militaryy.cn/attachments/month_0901/20090129_2f3f777938c8e7f460178rsfJ0PNpxQm.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm4.static.flickr.com/3220/3044028596_c827888989.jpg
http://farm3.static.flickr.com/2112/2434486221_c56a9e3af6.jpg
http://farm3.static.flickr.com/2284/2123789650_741b1e627c.jpg
http://www.oggitreviso.it/files/DSC_3083.jpg
http://pic1.nipic.com/20090327/2305182_120451064_2.jpg
http://natuurbeleving.scene24.net/pictures/Buizerd_Buteo-buteo_02.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://wwwdelivery.superstock.com/WI/223/1598/PreviewComp/SuperStock_1598R-148174.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.waldnet.nl/images/nieuwsfotos/1189432949.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2044/2161788684_84ce7ee49b.jpg
http://farm1.static.flickr.com/99/261915231_fb380e4d48.jpg
http://farm1.static.flickr.com/74/175662750_029d7c2b56.jpg
http://farm4.static.flickr.com/3535/3213328494_d3cd5df0b2.jpg
http://farm1.static.flickr.com/15/90366591_80a090b59c.jpg
http://farm2.static.flickr.com/1270/552821457_3a95fbfc41.jpg
http://farm4.static.flickr.com/3035/2571885195_d7865d677b.jpg
http://farm4.static.flickr.com/3298/3193058048_f8e8119692.jpg
http://aycu02.webshots.com/image/17561/2001335868677594993_rs.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2194/2069030482_d888195403.jpg
http://img1.qq.com/edu/pics/1569/1569388.jpg
HTTP Error 508: 
http://farm4.static.flickr.com/3098/2581979689_5358a547fc.jpg
http://farm4.static.flickr.com/3156/2846658935_4a9c62701f.jpg
http://www.barnesphotography.com.au/02appaloosachamps/a-PS%20Annie%20Dier%20-%20M%20Hardie.jpg
'NoneType' object has no attribute 'shape'
http://www.beljaarsschapen.eu/catalog/images/Algemeen%20dier.site.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://byfiles.storage.live.com/y1pass5CypXdghoYInvj_M0dmL2lAOk6w_DE0RVsv6CSH0y0eFzFTx4CVv0FJXWJFSaKI5mCEafIG8
HTTP Error 404: Not Found
http://farm1.static.flickr.com/158/340838329_71344ac094.jpg
http://img001.photo.21cn.com/photos/album/20080402/o/13D81DDDC6CC0624F1216009BE5E4E72.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3056/2858352692_98425ce87c.jpg
http://farm4.static.flickr.com/3075/2873572240_0534f38c43.jpg
http://farm3.static.flickr.com/2183/2084462194_12624ec8c0.jpg
http://farm1.static.flickr.com/3/4501287_ff97545732.jpg
http://farm4.static.flickr.com/3290/2683754743_8486207b38.jpg
http://aoc03.qmark.nl/resources/t-dier-geit01-alpine%20geit%20qmp.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2230/2178761658_52eeba239e.jpg
http://www.rotterdamzoo.nl/import/assetmanager/4/5964/200/drie%20ijsberen.png
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3216/2670688032_ffc786e0bd.jpg
http://farm1.static.flickr.com/131/334579915_9de3cbf4af.jpg
http://farm4.static.flickr.com/3252/2534595095_d5b59c142a.jpg
http://farm2.static.flickr.com/1077/1362985913_e88f0b6949.jpg
http://farm2.static.flickr.com/1320/539302979_905523686b.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462ujclhqdtzp_medium.JPG
HTTP Error 400: Bad Request
http://3.bp.blogspot.com/_hGJfT5Lmrqw/SIoDLRYlW7I/AAAAAAAABUg/BLGDm81OfXI/s200/896.jpg
http://farm1.static.flickr.com/44/126778992_69be556e63.jpg
http://farm4.static.flickr.com/3192/2298556444_8a10270a30.jpg
http://farm4.static.flickr.com/3253/2900469607_f3b5767734.jpg
http://www.natuurgeneeskundig.com/images/Foto%205.JPG
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3017/2582819502_8bf8d178a7.jpg
http://farm2.static.flickr.com/1277/1371134201_1be731ce65.jpg
http://farm4.static.flickr.com/3616/3390857490_4f0aa3d64a.jpg
http://image1.club.sohu.com/pic/45/5f/zz0051cf144b16352316b2.jpg
HTTP Error 502: Bad Gateway
http://farm4.static.flickr.com/3004/2753009766_35b6cc25c8.jpg
http://farm4.static.flickr.com/3108/3118046369_f48c7ca271.jpg
http://4.bp.blogspot.com/_hGJfT5Lmrqw/ScewW9jPpQI/AAAAAAAAIRk/4GhJJqz9PwY/s200/446-09.jpg
http://www.umum.cn/editor/UploadFile/20061010154929773.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1108/1260657581_dd3903fe87.jpg
http://farm1.static.flickr.com/85/211564837_b3909f9f45.jpg
http://farm4.static.flickr.com/3654/3368633194_59fedbcda2.jpg
http://farm4.static.flickr.com/3603/3418415715_2845146311.jpg
http://farm4.static.flickr.com/3547/3322138937_60e95604e6.jpg
http://fotos.marktplaats.com/kopen/d/f2/71yjCFXu2uXH7oTE7zRL3g==.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3601/3373198713_854b3eb48d.jpg
http://www.wakkerdier.nl/persberichten/img/img107.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2023/1617190614_cb57a80408.jpg
http://farm1.static.flickr.com/157/384971876_880b360dd0.jpg
http://farm4.static.flickr.com/3287/3118047509_d7fc47cf9b.jpg
http://farm4.static.flickr.com/3052/3045428893_4e23026d33.jpg
http://farm1.static.flickr.com/160/413956726_9ddbdf1529.jpg
http://www.dierenrijk.nl/uploads/media/620x248beer.jpg
HTTP Error 404: Not Found
http://static.flickr.com/3500/3314846546_48f9ce7685.jpg
http://farm4.static.flickr.com/3259/2902849302_938f8836f8.jpg
http://farm1.static.flickr.com/20/71637815_43b519ab3c.jpg
http://www.tuttiarimini.com/img/con-noi.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3117/2900470255_6906e15e61.jpg
http://2.bp.blogspot.com/_2EI2nB-Gxlc/SMd9LQSjW-I/AAAAAAAAAK8/o95-xDk0Ukw/s400/dbht.bmp
http://www.schooltv.nl/beeldbank/mmbase/images/1963248
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/145/421812251_0b81c001c6.jpg
http://farm4.static.flickr.com/3282/2313257750_075eac6ea5.jpg
http://farm4.static.flickr.com/3277/2725552240_ea090cbee6.jpg
http://farm3.static.flickr.com/2180/2255755439_554f527a75.jpg
http://farm4.static.flickr.com/3111/2911798554_628893ebe8.jpg
http://farm3.static.flickr.com/2311/2397512802_f75ceea71f.jpg
http://www.peacelink.it/animali/images/5887_a12177.jpg
http://www.digitalegroetjes.nl/kaartjes/images/11657648299-765852.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2151/2129064401_acbf660a92.jpg
http://farm3.static.flickr.com/2407/2144481110_3f6b35ca04.jpg
http://larrestodelcarlino.myblog.it/media/01/02/897111009.jpg
http://3.bp.blogspot.com/_hGJfT5Lmrqw/SOYz-xonsRI/AAAAAAAADjk/khBIxd9sf5o/s200/villapamphili.jpg
http://www.dierenarts-asse.be/DIERENARTS_ASSE/_images/fret28.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2187/2520646938_3744f56018.jpg
http://farm4.static.flickr.com/3274/2852327856_7109139aa6.jpg
http://www.animalliberationfront.com/News/AnimalPhotos/Animals_1-10/dog-3tigers.jpg
http://farm3.static.flickr.com/2208/2371521817_b8eff3bb32.jpg
http://farm1.static.flickr.com/152/392228147_7a71348de8.jpg
http://www.bolsterturf.nl/images/2007dagboek_januari/stinkerpel_na_ergens_in_de_bossen_rollen_in_dood_dier140107.jpg
HTTP Error 404: Not Found
http://www.hln.be/static/FOTO/pe/4/16/13/large_707488.jpg
HTTP Error 404: Not Found
http://www.brabantsdagblad.nl/multimedia/archive/00918/Vaccinatie_tegen_Q-_918770b.jpg
HTTP Error 404: Not Found
http://img117.imageshack.us/img117/8360/gattanimra3gatti5puclinzi2.jpg
HTTP Error 404: Not Found
http://www.photophoto.cn/m7/018/025/0180250248.jpg
http://www.sociovzw.be/index_bestanden/God/180106.full.jpg
http://farm4.static.flickr.com/3640/3430105954_fca7988d3b.jpg
http://farm4.static.flickr.com/3130/2820491336_471f27c5da.jpg
http://farm2.static.flickr.com/1422/536941889_ffdc4c99a0.jpg
http://farm4.static.flickr.com/3264/2556114523_4f50b71168.jpg
http://farm1.static.flickr.com/46/137487009_82ba3c5c01.jpg
http://farm1.static.flickr.com/208/440882478_7b4b31ce80.jpg
http://www.images-hosting.com/dir_immagini/thumb/1188990947-thumb-carpa.jpg
HTTP Error 404: Not Found
http://www.schooltv.nl/beeldbank/mmbase/images/1963872
'NoneType' object has no attribute 'shape'
http://www.photophoto.cn/m72/018/056/0180560093.jpg
http://farm2.static.flickr.com/1323/545062333_373ee55947.jpg
http://farm3.static.flickr.com/2365/2289111950_2040ae8432.jpg
http://3.bp.blogspot.com/_q_HPR79re1o/Sc_nF_3SnYI/AAAAAAAABzw/v80y8p_vGew/s320/_DSC0324_resize.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/114/276651769_21ea947a91.jpg
http://farm4.static.flickr.com/3387/3266763426_c7e1e8fb0b.jpg
http://www.gelderlander.nl/multimedia/archive/00411/schurftk_411803b.jpg
HTTP Error 404: Not Found
http://www.amicicani.com/pubblica/news_home/small/amicicani_1949893048_new14900831-fiera-del-cucciolo-enpa+jpg.jpg
'NoneType' object has no attribute 'shape'
http://www.schooltv.nl/beeldbank/mmbase/images/1962760
'NoneType' object has no attribute 'shape'
https://prod.indymedia.nl/img/2004/10/22533.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm4.static.flickr.com/3070/2571886855_7a99e044d1.jpg
http://farm3.static.flickr.com/2181/2065747435_9ea3205f5a.jpg
http://img152.imageshack.us/img152/8707/img0010ho5.jpg
HTTP Error 404: Not Found
http://94.100.114.29/106900001-106950000/106909601-106909700/106909695_4_5Ws-.jpeg
<urlopen error [Errno 60] Operation timed out>
http://www.alice-in-wonderland.nl/nl/nieuwsbrief/2008-04_image03.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3587/3297989031_a26fd809c7.jpg
http://www.valinor.nl/schleich/images/boerderijdieren/eigenfotos/sandy.jpg
http://farm4.static.flickr.com/3363/3346599266_f6589e8289.jpg
http://farm1.static.flickr.com/28/38943882_417f79a218.jpg
http://farm4.static.flickr.com/3624/3394202606_08909f4394.jpg
http://farm4.static.flickr.com/3117/2406496015_ebb889ca26.jpg
http://www.buso.broeders.be/dier%202.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/160/362601687_81c7731a15.jpg
http://farm4.static.flickr.com/3175/2643708507_bc5a6bdf25.jpg
http://farm4.static.flickr.com/3534/3267543721_a5be98efc1.jpg
http://bp1.blogger.com/_s2oZxc00q7g/SEheJpA94jI/AAAAAAAAAHg/JcxepQCi9sU/S230/untitled.bmp
http://www.peppenster.nl/foto/dolfijn/images/dol_4256.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3185/3098979372_b1e538ed61.jpg
http://farm1.static.flickr.com/82/252509673_dbd08670e9.jpg
http://www.studio-evenaar.nl/dierenpark/images/wasbeerhond02.jpg
http://i6.photobucket.com/albums/y248/moos67/paard_reiki_2.gif
HTTP Error 404: Not Found
http://www.photophoto.cn/m1/018/001/0180010250.jpg
http://www.dierenrijk.nl/uploads/winnende_foto.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2096/2092930651_704de16023.jpg
http://farm1.static.flickr.com/252/458402419_fb9026ad43.jpg
http://joyfly.blog.excite.it/img/TroppoCarino.JPG
HTTP Error 500: Internal Server Error
http://farm3.static.flickr.com/2169/2288264903_12dcfb3d13.jpg
http://www.kepu.gov.cn/zlg/tuke/12/images/t455.jpg
HTTP Error 404: Not Found
http://www.fotografie4you.eu/fotos/wolven%2026%20dec%20164web_final%20frosted.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2247/2169641697_a92df7bb7d.jpg
http://hpbimg.ruginfo.be/nieuwehhhhhhhhhhhhhh.jpg
HTTP Error 403: Forbidden
http://farm2.static.flickr.com/1106/727980581_979d08a4f1.jpg
http://www.indymedia.be/en/files/imagecache/large-size/files/PICT0089_2.jpg
HTTP Error 404: Not Found
http://www.kalendershop.nl/beeld/146/146_Cat_Dierenrijk2009_Pagina_1.jpg
'NoneType' object has no attribute 'shape'
http://www.arconet.es/users/marta/Capibara1.jpg
HTTP Error 404: Not Found
http://lh6.ggpht.com/piero.fadda/SD7LtkhRxDI/AAAAAAAAAMk/q212V0KAu0Y/02%20-%20La%20prima%20fuga_thumb%5B1%5D.jpg
http://hellgirl.nl/bonthandel%20dier%20in%20wildklem.jpg
<urlopen error [SSL: TLSV1_UNRECOGNIZED_NAME] tlsv1 unrecognized name (_ssl.c:777)>
http://2.bp.blogspot.com/_hGJfT5Lmrqw/SIdhxNJ833I/AAAAAAAABSI/0ZWgF2c0pUw/s200/1312.jpg
http://www.afrika.nl/webinclude/common/contentimages/botswana-vog1.jpg
HTTP Error 404: Not Found
http://www.digi-irma.nl/fotos/dieren/dier21.jpg
'NoneType' object has no attribute 'shape'
http://fotos.marktplaats.com/kopen/7/4e/q3UrIeQJmw7rMBZvZHrfbA==.jpg
'NoneType' object has no attribute 'shape'
http://img352.imageshack.us/img352/7002/conta1zm8.jpg
http://img.51766.com/dwy/2004062300000493.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm4.static.flickr.com/3106/3117195672_7b11cfbdc2.jpg
http://farm3.static.flickr.com/2105/2143687999_01909b92d3.jpg
http://www.schooltv.nl/beeldbank/mmbase/images/1963784
'NoneType' object has no attribute 'shape'
http://img1.qq.com/tech/pics/9892/9892858.jpg
http://fotos.marktplaats.com/kopen/b/27/qlOL0Hai6jYFPytL06tzYQ==.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2019/2444687547_decc5ab31b.jpg
http://figumorisca.files.wordpress.com/2007/11/luna.jpg
http://farm1.static.flickr.com/74/171646399_ca1d0ded4a.jpg
http://www.dierinbalans.nl/images/do_rijden.jpg
HTTP Error 404: Not Found
http://1.bp.blogspot.com/_dqKsqP_ZNco/Ruf4BWEWPCI/AAAAAAAACD0/BeT0Wkp-BiU/s400/foto_animali_368.jpg
http://farm2.static.flickr.com/1350/1347486440_8033dba51d.jpg
http://image.dili360.com/news//upload/images/2009/0313/155435/14_8731_8158ebd964ea95715898dcf438785515.jpg
http://www.bertsgeschiedenissite.nl/geschiedenis%20aarde/hyracoidea.gif
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2372/2255755479_0a0f1be2e7.jpg
http://farm3.static.flickr.com/2025/2644540166_b6209e7b17.jpg
http://1.bp.blogspot.com/_hGJfT5Lmrqw/SZghc_nf-PI/AAAAAAAAHfg/kbP64zQOZ7o/s200/rovigo.jpg
http://farm3.static.flickr.com/2144/1502725112_1262696a7f.jpg
http://www.lindewijk.nl/upload/images/paradijs-voor-mens-en-dier.jpg
HTTP Error 404: Not Found
http://www.whataboutafrica.org/images/okapi2901.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://1.bp.blogspot.com/_DuNHwgD6dP0/SHM8NUjGhuI/AAAAAAAAAOs/mbE_htmnl5A/s400/cucciola+napoli1.jpg
http://www.ilgazzettino.it/MsgrNews/HIGH/20090327_dob.jpg
HTTP Error 404: Not Found
http://www.deharpij.nl/pictures/Foto's/europese%20lynx%20(foto%20Rolf%20Veenhuizen).jpg
HTTP Error 500: Internal Server Error
http://fioredicampo.ilcannocchiale.it/mediamanager/sys.user/15784/nutella-1.jpg
http://www.natuurlijkbrabant.nl/images/editor/Pelobates_fuscus.JPG
<urlopen error [Errno 60] Operation timed out>
http://farm1.static.flickr.com/188/364476309_a9c069c096.jpg
http://1.bp.blogspot.com/__HA2qfLKczw/SasKECvPt4I/AAAAAAAADkk/LHeeu0xR0m4/s320/SCO0478blog.jpg
http://www.quisqueya.nl/media/taaleidoscoop/zeekoe.jpg
HTTP Error 404: Not Found
http://www.chitblog.net/wp-content/uploads/2006/10/silvy.jpg
http://farm3.static.flickr.com/2056/2288260735_211469a94a.jpg
http://farm1.static.flickr.com/30/45610179_cd0a079917.jpg
http://www.mydigishots.com/dieren/dieren-38.jpg
http://www.refdag.nl/media/foto/2009/74950-a.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3134/2825684598_e87d5d18c1.jpg
http://bp2.blogger.com/_SA1lMXBuc1c/R7Ga-zzYBCI/AAAAAAAAAGc/vf_4NPNucaY/S220/muso+a+muso.jpg
http://figumorisca.files.wordpress.com/2008/05/cane-e-gatto.jpg
http://img9.imageshack.us/img9/9504/dsc01926jd.jpg
HTTP Error 404: Not Found
http://img.ifeng.com/hres/200903/18/14/e86ef740e4abcbd9fb6560a99fbf22e1.jpg
http://farm2.static.flickr.com/1083/707349147_f5588d884c.jpg
http://farm4.static.flickr.com/3026/2805372177_f07966ff75.jpg
http://media.nu.nl/m/m1cz3kea5ngw.jpg
http://www.stalholthausen.com/assets/images/Frodo_Dier_klieren_6.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/55/111640974_5c6cb69d46.jpg
http://farm4.static.flickr.com/3134/3328462412_89baf890fd.jpg
http://farm4.static.flickr.com/3204/2825684690_8f45709c05.jpg
http://farm3.static.flickr.com/2288/1591148586_8cd600fd11.jpg
http://lima865.punt.nl/upload/olifant.jpeg
HTTP Error 404: Not Found
http://www.amicicani.com/pubblica/news_home/small/amicicani_303757564_2143561.jpeg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3166/2428929993_b7d7cf98ba.jpg
http://www.iohotspots.nl/fotos/904/4.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.schooltv.nl/beeldbank/mmbase/images/1962324
'NoneType' object has no attribute 'shape'
http://www.photophoto.cn/m1/018/001/0180010129.jpg
http://regmedia.co.uk/2007/06/28/cat_furry.jpg
HTTP Error 403: Forbidden
http://farm2.static.flickr.com/1183/529649850_24779dd899.jpg
http://www.123marbella.com/123CM/siteimages/53/Perros%20La%20Noria%20260807%20I.JPG
HTTP Error 404: Not Found
http://www.bndestem.nl/multimedia/archive/00809/dier1_809241b.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/61/253344262_5e37a34713.jpg
http://fotootjesvanannelies.web-log.nl/olifantfotootjes/images/2008/07/16/img_0680.jpg
'NoneType' object has no attribute 'shape'
http://img189.imageshack.us/img189/7028/aap4gg.jpg
HTTP Error 404: Not Found
http://www.dierenrijk.nl/img/album/fulls/Dierenrijk%203.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3228/2297752925_2b798bf68e.jpg
http://farm3.static.flickr.com/2388/2288280881_c314bc6e3b.jpg
http://www.kidsweek.nl/uploads/pictures/cache/newsartimage_176823_415_9999_scl.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2226/2141166371_f385ab8bdd.jpg
http://upload.17u.com/uploadfile/2005/11/29/2/2005112915420132495.jpg
http://i88.photobucket.com/albums/k199/korenbloem/IMG_3535r720.jpg
http://www.moudydejong.com/dier15b.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/120/304756981_8e195cf6f3.jpg
http://farm1.static.flickr.com/70/218995271_ebf0870d2b.jpg
http://www.dierenrijk.nl/uploads/media/620x248_Europese_wolf2.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3039/3041551644_fe4e1ac9f2.jpg
http://farm3.static.flickr.com/2193/2495589279_512936723e.jpg
http://fotootjesvanannelies.web-log.nl/photos/uncategorized/2008/07/04/img_0508.jpg
'NoneType' object has no attribute 'shape'
http://farm4.static.flickr.com/3110/2740784416_2c2633152d.jpg
http://www.animalfreedom.org/slideshow/images/ketting-als-speeltuig-voor-vleesvarkens.jpg
http://farm4.static.flickr.com/3280/2888431698_0505abbea4.jpg
http://www.kennyverzijl.nl/img/portfolio/dier-hamster.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.deharpij.nl/pictures/Foto's/oeran%20oetang%201%20(foto%20Rolf%20Veenhuizen).jpg
HTTP Error 500: Internal Server Error
http://www.photophoto.cn/m2/018/020/0180200071.jpg
http://poisonouscreatures.com/common/imagelib/index.htm/1375_248_246_crop_2f133.jpg
HTTP Error 403: Forbidden
http://static.flickr.com/2331/2289579190_06cc806cd9.jpg
http://digilander.libero.it/skorphione43/luigi.JPG
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2082/2222873453_d0891b1c16.jpg
http://farm3.static.flickr.com/2017/2288275661_e85fb8b214.jpg
http://www.buytelaer.nl/pict/links/dierenrijk%20europa.jpg
HTTP Error 404: Not Found
http://wimg.nl/imageupload/12348/123488f52457233609998b1d348d5cf85b518.jpg
http://img1.pconline.com.cn/piclib/200804/29/batch/1/1873/1209483781462qzcfl03eoh_medium.JPG
HTTP Error 400: Bad Request
http://www.ilgazzettino.it/MsgrNews/HIGH/20090329_cane.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3190/2636639026_d097e1898c.jpg
http://i173.photobucket.com/albums/w50/n0tn0t/oo16.jpg
http://farm2.static.flickr.com/1022/1042880539_9777bb09cc.jpg
http://farm4.static.flickr.com/3344/3283993604_8ecf594816.jpg
http://animali.tiscali.it/media/foto/animali/07/ottobre/29/cane_309--309x215.jpg
HTTP Error 404: Not Found
http://2.bp.blogspot.com/_hGJfT5Lmrqw/SWTkVgHNe9I/AAAAAAAAGPs/jYA6r_NXH4A/s200/24-09.jpg
http://www.toerisme.nl/images/f/f5/Dierenrijk_europa.jpg
http://farm1.static.flickr.com/168/441794614_44d6e8035f.jpg
http://idealen.trouw.nl/files/Sinclair%202.jpg
'NoneType' object has no attribute 'shape'
http://www.photophoto.cn/m1/018/001/0180010209.jpg
http://tech.tom.com/uimg/2007/5/24/xumiao/1179963289712_20670.jpg
HTTP Error 404: Not Found
http://www.blikopnieuws.nl/foto/200712261198701362_79286.jpg
'NoneType' object has no attribute 'shape'
http://i49.photobucket.com/albums/f278/Mirjampjuh/Dieren/00539.jpg
HTTP Error 404: Not Found
http://imgsrc.baidu.com/baike/pic/item/1f5694821e5d0d83f603a6d5.jpg
http://www.smartlic.com/IMAGES/bcs9.jpg
HTTP Error 403: Forbidden
http://farm4.static.flickr.com/3167/2289104030_f3c01c7b0a.jpg
http://www.photophoto.cn/m73/018/086/0180860038.jpg
http://www.ruthvanbeek.com/pics/konijn045118.jpg
http://images.xooob.com/20082231/2008223181739218.jpg
<urlopen error [Errno 60] Operation timed out>
http://3.bp.blogspot.com/_oOwE_qU8ty4/SKV-nP0rtoI/AAAAAAAAANA/r4BumfMVVoM/s400/cat01.jpg
http://farm4.static.flickr.com/3195/2306772517_6e447580d2.jpg
http://farm2.static.flickr.com/1108/3170454674_d3fdf3abb5.jpg
http://gattiblog.typepad.com/.a/6a00d8341c142c53ef010536ba4bbd970b-75si
http://idoimg.3mt.com.cn/article/upload/200604/060401010022480.jpg
'NoneType' object has no attribute 'shape'
http://www.klimopschool.net/klimopplaza/590%20Dieren/590.1%20Dierentuinen/Algemene/Foto's/everzwijn.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3018/2697408867_3963bd244c.jpg
http://images3.speurders.nl/images/45/4563/45638993_1.jpg
HTTP Error 404: Not Found
http://i197.photobucket.com/albums/aa294/glittervictim/Blog/Cassie0017.jpg
http://farm3.static.flickr.com/2208/1558437201_fedd1701b3.jpg
http://big5.cast.org.cn/gate/big5/image.cpst.net.cn/upload/2004-06/17/0406171106131.jpg
HTTP Error 404: Not Found
http://www.ivyel.com/UpLoadFiles/Other/2007-11/2007112205182570149.jpg
HTTP Error 404: Not Found
http://1.bp.blogspot.com/_PsQbeQ9K4-s/SSSYPZ8pWmI/AAAAAAAAAB8/4nxBPd-fHwA/s320/IMG_0138-737427.JPG
http://farm1.static.flickr.com/165/350604609_68f9e6abb8.jpg
http://news.xinhuanet.com/photo/2007-01/12/xin_22201041216416873271553.jpg
HTTP Error 404: Not Found
http://petclub.animali.tiscali.it/media/foto/petclub/2008/febbraio/29/cane_468--468x155.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3176/2858347100_3da7f83101.jpg
http://farm4.static.flickr.com/3664/3368553891_b4f92bbaa8.jpg
http://cn.yimg.com/gallery/cn_tech/200705281152533368311.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.la-grange.nl/images/poezen.jpg
http://i6.photobucket.com/albums/y212/paverpol/KleineSoenda/FloraFauna/Dier01komodo_head_up.jpg
http://img86.imageshack.us/img86/4158/057cz2.jpg
HTTP Error 404: Not Found
http://i7.tagstat.com/image02/7/e54e/004w051B-le.jpg
HTTP Error 404: Not Found
http://www.schoolbieb.nl/uploadedImages/images/Dossiers/BO%20Biologie/12765.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.mijnalbum.nl/Foto=WYHULLOZ
http://veghel.kliknieuws.nl/img/1/2008/08/25/o/dier--weide.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.kxts.org/UploadFiles/200902/20090207010652721.jpg
HTTP Error 403: Forbidden
http://1.bp.blogspot.com/_uvWPQm2C0ts/Rfef2hl59VI/AAAAAAAAALU/J57q9vLH9Xw/s1600/71.jpg
http://img257.imageshack.us/img257/8736/agnelloferito2pq8.jpg
HTTP Error 404: Not Found
http://4.bp.blogspot.com/_hGJfT5Lmrqw/SZATLm7PAKI/AAAAAAAAHTY/CP5CEptWXac/s200/labrador-valdelsa.jpg
http://imgsrc.baidu.com/baike/pic/item/3792cb39103b9ae53a87cef7.jpg
http://farm4.static.flickr.com/3256/3144926135_e3601b3434.jpg
http://farm2.static.flickr.com/1031/528353698_8026dfbdb6.jpg
http://farm3.static.flickr.com/2369/2310062552_5171142497.jpg
http://farm1.static.flickr.com/17/22145188_b93858ff4d.jpg
http://farm1.static.flickr.com/130/334580433_0804b1fa7e.jpg
http://farm3.static.flickr.com/2093/1752339218_1b06bbedf7.jpg
http://www.bioplek.org/organismen/dieren/WATERDIEREN/bootsmannetje.JPG
http://farm1.static.flickr.com/145/375725118_4663b7c4d9.jpg
http://farm1.static.flickr.com/143/334578354_a26a24ddbc.jpg
http://farm2.static.flickr.com/1362/1433771196_32947982e8.jpg
http://farm4.static.flickr.com/3007/3118860696_701a6ba8e4.jpg
http://farm1.static.flickr.com/36/87665951_46bc3e2701.jpg
http://farm2.static.flickr.com/1358/1482587919_42346bf660.jpg
http://farm3.static.flickr.com/2373/2521898117_301a4ffa69.jpg
http://farm1.static.flickr.com/190/502138402_080ec0f6e8.jpg
http://farm1.static.flickr.com/125/320676608_15610d1861.jpg
http://farm4.static.flickr.com/3214/2758612259_e5b4268e18.jpg
http://farm1.static.flickr.com/153/387781272_39a248b3c3.jpg
http://farm4.static.flickr.com/3176/3045490771_f5f0d35a8d.jpg
http://farm4.static.flickr.com/3146/2849439060_1010175b4d.jpg
http://farm4.static.flickr.com/3132/2714431452_8b6453cf73.jpg
http://farm1.static.flickr.com/176/410477577_ad9be8a534.jpg
http://farm4.static.flickr.com/3003/2932692845_2e59884745.jpg
http://www.rtl.nl/huistuinkeuken/eigenhuisentuin/components/2006-2007/sfeer/afl30/30_vogels_7x7.jpg
http://farm4.static.flickr.com/3181/2495889162_000fc00502.jpg
http://farm3.static.flickr.com/2217/2411411282_a0f554a010.jpg
http://farm1.static.flickr.com/208/501340364_b11c419f92.jpg
http://farm4.static.flickr.com/3269/2841145052_d165309aee.jpg
http://static.flickr.com/129/341207543_c8531155e2.jpg
http://farm1.static.flickr.com/35/64171782_da5f573744.jpg
http://farm1.static.flickr.com/217/472807176_dc0afa468d.jpg
http://farm1.static.flickr.com/185/439191627_eb454eb75f.jpg
http://farm1.static.flickr.com/9/74468589_236863e632.jpg
http://farm4.static.flickr.com/3280/3117201554_4877658971.jpg
http://farm4.static.flickr.com/3136/2900470329_d7d46ba460.jpg
http://farm3.static.flickr.com/2041/1509271248_346302e8be.jpg
http://farm1.static.flickr.com/13/18183364_ecc97747d3.jpg
http://farm4.static.flickr.com/3040/2582786846_97d6e3ec94.jpg
http://farm3.static.flickr.com/2352/1997356981_3746c24a86.jpg
http://farm4.static.flickr.com/3013/2820618362_796f8316bd.jpg
http://farm2.static.flickr.com/1358/1166617836_4d3b18a74b.jpg
http://farm4.static.flickr.com/3080/2900470625_3ae74438c5.jpg
http://farm4.static.flickr.com/3300/3423467693_69be0d75cb.jpg
http://farm4.static.flickr.com/3258/2411411522_b05990e187.jpg
http://farm4.static.flickr.com/3035/3104910414_6f78ba5f29.jpg
http://farm4.static.flickr.com/3060/2639635023_f3941a1fbe.jpg
http://farm1.static.flickr.com/114/252931041_18f86193a4.jpg
http://farm3.static.flickr.com/2330/1827543970_36343c731f.jpg
http://farm1.static.flickr.com/189/499133274_92b5c835bd.jpg
http://farm2.static.flickr.com/1415/1445190906_a3cec2f865.jpg
http://farm4.static.flickr.com/3155/2853999416_c2e53ed633.jpg
http://farm4.static.flickr.com/3128/2693711705_f1a89bd02b.jpg
http://farm4.static.flickr.com/3345/3173135756_d0e390d5c7.jpg
http://farm4.static.flickr.com/3073/2902863002_de7dac9309.jpg
http://farm3.static.flickr.com/2077/2496413970_7945b5028d.jpg
http://farm3.static.flickr.com/2187/1607006574_ba0d5d5aca.jpg
http://farm4.static.flickr.com/3058/2824848489_21f9b302bb.jpg
http://farm2.static.flickr.com/1417/1423740495_17148eb903.jpg
http://farm4.static.flickr.com/3466/3193057982_4de9923ca3.jpg
http://njppa.bravepages.com/njppa/POY2003/singles/images/Animal_2nd.jpg
http://www.photophoto.cn/m2/018/026/0180260173.jpg
http://farm2.static.flickr.com/1325/758496689_ce7f57c032.jpg
http://farm4.static.flickr.com/3631/3356204832_f13f69966b.jpg
http://farm4.static.flickr.com/3235/2614524349_5f2c88250e.jpg
http://farm1.static.flickr.com/154/406841517_2cca7ef5a3.jpg
http://farm4.static.flickr.com/3067/2756149389_2d8532e481.jpg
http://farm3.static.flickr.com/2082/2215433199_3e3743de9e.jpg
http://farm2.static.flickr.com/1329/539385448_eb6ee76b2d.jpg
http://farm1.static.flickr.com/213/486066731_42c7328db4.jpg
http://farm1.static.flickr.com/6/76245951_986c012f7f.jpg
http://farm1.static.flickr.com/72/204105142_11440ff787.jpg
http://farm4.static.flickr.com/3378/3230905025_5304ab66d5.jpg
http://farm1.static.flickr.com/37/110738573_de91e230f6.jpg
http://farm1.static.flickr.com/184/397057055_8bfac364e9.jpg
http://farm1.static.flickr.com/197/481453820_2210ad32a6.jpg
http://farm4.static.flickr.com/3088/2669864741_f3698067d9.jpg
http://farm4.static.flickr.com/3177/3118880628_b5461cf7a8.jpg
http://farm2.static.flickr.com/1306/1348908904_f15ec4357d.jpg
http://farm1.static.flickr.com/91/239592684_5bb383064c.jpg
http://farm3.static.flickr.com/2342/2280944709_78a4872ffe.jpg
http://farm1.static.flickr.com/203/446126514_ae6a54b29b.jpg
http://farm4.static.flickr.com/3607/3378712051_15a879c733.jpg
http://farm4.static.flickr.com/3200/2301132223_d4d2227a81.jpg
http://farm4.static.flickr.com/3227/3118048237_4da7141f10.jpg
http://farm4.static.flickr.com/3183/2911035099_92fbc47e3a.jpg
http://farm4.static.flickr.com/3262/3093418644_a26824e316.jpg
http://farm4.static.flickr.com/3388/3417717857_11a30ca9fc.jpg
http://farm3.static.flickr.com/2064/2089252746_fcbea00918.jpg
http://farm1.static.flickr.com/182/433586938_6241db3eb3.jpg
http://farm2.static.flickr.com/1016/943952416_b8249a958f.jpg
http://farm1.static.flickr.com/27/47185200_63360cb046.jpg
http://farm4.static.flickr.com/3325/3213327856_56eda207f0.jpg
http://farm2.static.flickr.com/1102/1433717442_d03e0442c5.jpg
http://farm4.static.flickr.com/3340/3296125943_5bbe2b9382.jpg
http://www.clovisusd.k12.ca.us/sos/images/Bonnie&Rusty_edited.JPG
HTTP Error 403: Forbidden
http://farm3.static.flickr.com/2261/2413367219_30a12be67c.jpg
http://farm1.static.flickr.com/101/304041599_ae62926aba.jpg
http://farm4.static.flickr.com/3145/2819769645_191d658185.jpg
http://farm4.static.flickr.com/3096/2873499386_375c8e8e77.jpg
http://farm1.static.flickr.com/132/321006724_44b8875d15.jpg
http://farm1.static.flickr.com/145/356881550_0bcbdd1ca3.jpg
http://farm4.static.flickr.com/3565/3373682426_861c0bea40.jpg
http://farm1.static.flickr.com/172/420952642_aec8ee7fdf.jpg
http://farm4.static.flickr.com/3537/3390059723_cba7d8f35f.jpg
http://farm4.static.flickr.com/3159/3082517874_0f3fa489c9.jpg
http://farm4.static.flickr.com/3600/3412454112_94b79b06ef.jpg
http://farm3.static.flickr.com/2249/1748580796_ab97349f5a.jpg
http://farm2.static.flickr.com/1391/535085503_a1a24ebe98.jpg
http://farm1.static.flickr.com/14/18183344_a964e59d08.jpg
http://farm4.static.flickr.com/3164/2715032747_0979131f59.jpg
http://farm4.static.flickr.com/3398/3424271912_304b595838.jpg
http://farm4.static.flickr.com/3583/3369530967_b90e432711.jpg
http://farm4.static.flickr.com/3225/2820486552_ffc3fdccbc.jpg
http://farm4.static.flickr.com/3066/3058877431_40149c4337.jpg
http://farm4.static.flickr.com/3087/2820590818_06262ee61d.jpg
http://farm4.static.flickr.com/3112/2858026440_9904b47d26.jpg
http://farm4.static.flickr.com/3069/3032758920_b5d570492c.jpg
http://farm3.static.flickr.com/2373/2371604814_158caf27c8.jpg
http://farm1.static.flickr.com/187/476270618_b17bbc9a0e.jpg
http://farm1.static.flickr.com/133/417764362_9c0f0286f5.jpg
http://farm4.static.flickr.com/3374/3192103589_c5cd0a5cc7.jpg
http://farm3.static.flickr.com/2301/1516268619_5d29c84669.jpg
http://farm4.static.flickr.com/3303/3251017699_16ce3733a7.jpg
http://farm4.static.flickr.com/3141/3080824794_fac4f4477e.jpg
http://farm3.static.flickr.com/2320/1512895202_8b4ca360f7.jpg
http://farm3.static.flickr.com/2043/2153004404_290cbb66fe.jpg
http://farm1.static.flickr.com/248/456422057_fb6a1c57c1.jpg
http://farm4.static.flickr.com/3570/3325411389_a72369e6f3.jpg
http://thundafunda.com/33/Desktop-pictures/full/sleeping-Animals.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3164/2644544328_c84c8d38cf.jpg
http://files.splinder.com/950a4c7ded708c9f45b1840b8912d96b.jpeg
<urlopen error [Errno 61] Connection refused>
http://farm1.static.flickr.com/64/186862919_79d6b5c346.jpg
http://farm4.static.flickr.com/3217/2901314522_c8b5d27dd6.jpg
http://farm3.static.flickr.com/2225/2167922294_3b9c9851b5.jpg
http://farm2.static.flickr.com/1199/1246525055_28a7a83016.jpg
http://farm3.static.flickr.com/2414/2411411242_e214d6775b.jpg
http://farm1.static.flickr.com/56/131473666_cb7f1a1c82.jpg
http://farm1.static.flickr.com/27/51544170_0df47c4942.jpg
http://farm1.static.flickr.com/52/111233820_d748fbcf39.jpg
http://farm4.static.flickr.com/3175/2411411252_a29ef4d08c.jpg
http://farm4.static.flickr.com/3042/2371554133_e0ef44891a.jpg
http://static.flickr.com/3139/3021379784_42e091849f.jpg
http://farm1.static.flickr.com/234/522411868_e0ab4aa447.jpg
http://farm2.static.flickr.com/1423/1018508812_d3f9b3d309.jpg
http://farm3.static.flickr.com/2167/2089149951_68a5f53909.jpg
http://farm2.static.flickr.com/1048/529649520_574c52ca05.jpg
http://farm1.static.flickr.com/182/388932815_6a1eeac255.jpg
http://farm1.static.flickr.com/147/361168724_0ac2ac9f6a.jpg
http://farm3.static.flickr.com/2080/2495076497_fc4cd325c9.jpg
http://farm4.static.flickr.com/3288/2847492626_41069b7144.jpg
http://farm4.static.flickr.com/3242/3137630322_3fda8ebd1c.jpg
http://farm1.static.flickr.com/53/173694640_d84216bc2d.jpg
http://farm4.static.flickr.com/3086/2914577704_a7276c5335.jpg
http://farm1.static.flickr.com/174/440882522_445bbb1cf6.jpg
http://farm4.static.flickr.com/3019/2497138414_5d49038a83.jpg
http://farm4.static.flickr.com/3043/3081493209_c03f5fdd1c.jpg
http://farm1.static.flickr.com/28/36745580_9a5fbeef07.jpg
http://farm4.static.flickr.com/3613/3304652245_f827bd4170.jpg
http://farm4.static.flickr.com/3552/3400003975_710773ffc2.jpg
http://farm2.static.flickr.com/1425/1433728604_2ea895d08c.jpg
http://farm3.static.flickr.com/2023/2279700323_af3dc55ed3.jpg
http://farm4.static.flickr.com/3362/3424512802_d70bf817ca.jpg
http://farm4.static.flickr.com/3257/2905891911_112eedfb97.jpg
http://farm4.static.flickr.com/3246/2344688728_97be0103ef.jpg
http://farm4.static.flickr.com/3038/3118048035_40a6e6930e.jpg
http://farm4.static.flickr.com/3039/2883350333_1561d85072.jpg
http://farm4.static.flickr.com/3215/2819706523_3829972f0f.jpg
http://farm3.static.flickr.com/2302/2759457402_4fcc7d5d6b.jpg
http://farm3.static.flickr.com/2021/1778910909_422d022c1f.jpg
http://www.echo.nl/_upload/edition_17/media/450/03B6F2AA-D9FC-499B-A696-D7FD51936E68.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/163/334530381_44f0539d14.jpg
http://farm4.static.flickr.com/3050/2565093324_58b0136a31.jpg
http://farm4.static.flickr.com/3221/3118046143_32f3be817b.jpg
http://farm1.static.flickr.com/160/340853726_fad7a4181a.jpg
http://farm1.static.flickr.com/142/333328865_2ab0315dc5.jpg
http://farm4.static.flickr.com/3113/2759456180_9984ab69cd.jpg
http://farm4.static.flickr.com/3091/2661251158_1cbd3f60e6.jpg
http://farm2.static.flickr.com/1021/1342403673_be80c5aff6.jpg
http://farm2.static.flickr.com/1203/697065143_2f178f62f0.jpg
http://farm4.static.flickr.com/3121/2858028858_8be7122745.jpg
http://farm4.static.flickr.com/3002/2715847254_98025b390f.jpg
http://farm2.static.flickr.com/1072/532770543_23dba25c1d.jpg
http://farm4.static.flickr.com/3378/3346584270_a9ebd2cb55.jpg
http://farm4.static.flickr.com/3095/2495602221_bde9db02a6.jpg
http://farm2.static.flickr.com/1220/830107585_c727b66e07.jpg
http://farm4.static.flickr.com/3257/2845774351_7f6ea83ea6.jpg
http://farm4.static.flickr.com/3369/3277523211_80ed92362f.jpg
http://farm4.static.flickr.com/3227/2820513534_d176cbb974.jpg
http://farm4.static.flickr.com/3659/3390877482_a7d0e9f325.jpg
http://home.tiscali.nl/cowart/Koe%20met%20tulp.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm4.static.flickr.com/3074/2698142506_f28ec83a54.jpg
http://farm4.static.flickr.com/3259/3257674508_9e581b6a88.jpg
http://farm3.static.flickr.com/2254/2495890148_d5ff00defd.jpg
http://farm4.static.flickr.com/3208/2919477162_a85d746010.jpg
http://farm4.static.flickr.com/3155/2697278977_272dee8bba.jpg
http://farm1.static.flickr.com/71/166783958_de0fd8b411.jpg
http://farm1.static.flickr.com/41/83928606_1e9eaf8259.jpg
http://farm3.static.flickr.com/2416/2426665653_3b90b505ee.jpg
http://farm4.static.flickr.com/3011/2987663300_162e63a37b.jpg
http://farm1.static.flickr.com/100/310970706_e28edeccfd.jpg
http://farm4.static.flickr.com/3290/2884186946_c3a009e243.jpg
http://farm1.static.flickr.com/128/374649821_5b11ff28df.jpg
http://farm4.static.flickr.com/3278/2778445173_8c349e8fc8.jpg
http://farm4.static.flickr.com/3045/2284850966_426c2ed8de.jpg
http://farm4.static.flickr.com/3395/3227151514_a55dab846b.jpg
http://upload.17u.com/uploadfile/2008/07/04/2/2008070409293381524.jpg
http://farm3.static.flickr.com/2241/2101900604_c364e45012.jpg
http://farm4.static.flickr.com/3247/2824853287_efef50e852.jpg
http://farm1.static.flickr.com/48/135225585_b1a2f9d897.jpg
http://farm4.static.flickr.com/3033/2444686575_2955e4cdde.jpg
http://farm1.static.flickr.com/57/218995091_73a6e3910f.jpg
http://www.cavalor.be/Nutri/Nutrition/Library/Cavalor/Images/Diersoorten/nwallhorsesgrt.jpg
HTTP Error 404: Not Found
http://farm4.static.flickr.com/3543/3424512512_426b6da09b.jpg
http://farm4.static.flickr.com/3319/3290906981_ff556936d5.jpg
http://farm4.static.flickr.com/3291/2851117605_e2fdbc21a7.jpg
http://farm1.static.flickr.com/89/280037140_eb5873e4c5.jpg
http://farm3.static.flickr.com/2228/2200205295_716a512e4f.jpg
http://farm4.static.flickr.com/3074/2996383012_d4cf52e779.jpg
http://farm3.static.flickr.com/2088/2054052683_b56d221576.jpg
http://farm4.static.flickr.com/3133/3118022985_b342662583.jpg
http://farm2.static.flickr.com/1024/537553301_928825a2bf.jpg
http://farm2.static.flickr.com/1181/582385572_b7b51bbccc.jpg
http://farm2.static.flickr.com/1236/874770651_be10f21229.jpg
http://farm1.static.flickr.com/109/260775662_cb118a5460.jpg
http://farm1.static.flickr.com/49/151295958_4c60c92fa0.jpg
http://farm1.static.flickr.com/34/71774892_56532572b7.jpg
http://farm2.static.flickr.com/1042/1140255652_22f779eb58.jpg
http://farm3.static.flickr.com/2207/2052811527_21c66ed9c5.jpg
http://farm4.static.flickr.com/3274/2847608718_b5559d5f7e.jpg
http://farm1.static.flickr.com/164/391494717_b5c513ffb7.jpg
http://farm2.static.flickr.com/1035/708042806_9ec47fdc0f.jpg
http://farm4.static.flickr.com/3051/3076237111_f4592ff823.jpg
http://farm1.static.flickr.com/45/108522822_6e37a27dcd.jpg
http://farm3.static.flickr.com/2178/2123411965_01c85b8931.jpg
http://farm4.static.flickr.com/3480/3314019303_6a6bb05796.jpg
http://farm4.static.flickr.com/3204/2819710075_3d7ddf46f8.jpg
http://farm1.static.flickr.com/182/424451789_afa0312458.jpg
http://farm4.static.flickr.com/3086/3142938407_d0fd524636.jpg
http://farm4.static.flickr.com/3095/3118022105_99abc43cbb.jpg
http://farm1.static.flickr.com/203/488605515_1e31444f29.jpg
http://farm1.static.flickr.com/48/147381467_c4aba99f97.jpg
http://farm4.static.flickr.com/3221/3123921872_e95f3e263c.jpg
http://farm4.static.flickr.com/3124/3232405550_002462e39f.jpg
http://farm3.static.flickr.com/2178/2501594592_78af1bf3bc.jpg
http://farm4.static.flickr.com/3137/3046922804_d952c71746.jpg
http://farm3.static.flickr.com/2111/2152212211_981147f0bd.jpg
http://farm4.static.flickr.com/3457/3308178565_f0049c9d7a.jpg
http://farm3.static.flickr.com/2201/2367346076_c642f45200.jpg
http://farm1.static.flickr.com/54/136560363_104e61d1ee.jpg
http://farm3.static.flickr.com/2299/2148795352_73291146a9.jpg
http://farm4.static.flickr.com/3257/3255902331_0956408b4b.jpg
http://farm3.static.flickr.com/2150/2272820003_9c370b3557.jpg
http://farm2.static.flickr.com/1173/1396864240_d7a88ab2b1.jpg
http://farm2.static.flickr.com/1412/1426909187_9df7d96dfc.jpg
http://farm4.static.flickr.com/3067/2886220702_61485052da.jpg
http://farm4.static.flickr.com/3344/3428556663_7159c094c2.jpg
http://farm4.static.flickr.com/3543/3379314165_1d0b73e6d5.jpg
http://farm4.static.flickr.com/3207/3153616515_89e3213013.jpg
http://farm1.static.flickr.com/87/214960775_39421fc6ff.jpg
http://farm3.static.flickr.com/2314/2444685333_966ae014ed.jpg
http://farm4.static.flickr.com/3123/2692759804_9daceeeb1b.jpg
http://farm2.static.flickr.com/1016/1429057638_e445e266a5.jpg
http://farm1.static.flickr.com/102/282435160_aea40952e5.jpg
http://farm3.static.flickr.com/2137/2265287991_fc04ccfa6f.jpg
http://farm1.static.flickr.com/190/476043038_983e4e4bd3.jpg

unknown url type: ''

unknown url type: ''
CPU times: user 21.9 s, sys: 5.93 s, total: 27.8 s
Wall time: 1h 36min 32s
In [31]:
len(np.array(glob("neg/*")))
Out[31]:
1159
In [32]:
%%time
import urllib
import os
x_pixels = 250
y_pixels = 250
def store_raw_pos_images():
    link_posimg = \
'http://image-net.org/api/text/imagenet.synset.geturls?wnid=n02472987'
    url_posimg = urllib.request.urlopen(link_posimg).read().decode()
    if not os.path.exists('pos'):
        os.makedirs('pos')
    pic_num = 1
    for i in url_posimg.split('\n'):
        try:
            print(i)
            pos_file_path = "pos/"+str(pic_num)+'.jpg'
            urllib.request.urlretrieve(i, pos_file_path)
            img = cv2.imread(pos_file_path, cv2.IMREAD_COLOR)
            interpol = cv2.INTER_LINEAR
            if(img.shape[0] < x_pixels and img.shape[1] < y_pixels):
                interpol = cv2.INTER_CUBIC
            elif(img.shape[0] > x_pixels and img.shape[1] > y_pixels):
                interpol = cv2.INTER_AREA
            else:
                pass
            resized_img = cv2.resize(img, (x_pixels, y_pixels), interpolation = interpol)
            cv2.imwrite(pos_file_path, resized_img)
            pic_num += 1
        except Exception as e:
            print(str(e))

store_raw_pos_images()
http://farm1.static.flickr.com/35/98550646_41606c9a4a.jpg
http://farm1.static.flickr.com/11/17622941_5e13d97ab0.jpg
http://farm1.static.flickr.com/12/17708424_643eae192e.jpg
http://farm3.static.flickr.com/2178/2069319405_c0417c7eb5.jpg
http://images.jupiterimages.com/common/detail/63/46/23464663.jpg
<urlopen error [Errno 61] Connection refused>
http://farm1.static.flickr.com/27/42196637_5a9c1c6e57.jpg
http://farm1.static.flickr.com/34/123606766_7f371643cf.jpg
http://farm2.static.flickr.com/1252/922108109_08f18bd49f.jpg
http://farm3.static.flickr.com/2316/1848928361_bcd30fb70c.jpg
http://farm1.static.flickr.com/36/85551404_eafee29fdd.jpg
http://farm2.static.flickr.com/1293/533591578_2fc8b3c64a.jpg
http://farm3.static.flickr.com/2089/2070072544_264edf149e.jpg
http://farm1.static.flickr.com/15/89916065_1162004ef9.jpg
http://farm1.static.flickr.com/41/98562747_5eae3e8dcf.jpg
http://farm1.static.flickr.com/170/436604228_45efa483cc.jpg
http://farm1.static.flickr.com/92/242512120_f7aec45343.jpg
http://farm1.static.flickr.com/187/434904190_4148669863.jpg
http://farm3.static.flickr.com/2357/2112158524_b7debed63b.jpg
http://farm2.static.flickr.com/1164/1476122270_0be979016c.jpg
http://farm1.static.flickr.com/151/347629441_ba1c2788e1.jpg
http://www.spunk.nl/upload/vm-vrienden.jpg
HTTP Error 502: Bad Gateway
http://www.swing-time.nl/images/story/johnny-en-Jamiro2.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/79/275902085_a80fcea03a.jpg
http://farm3.static.flickr.com/2059/2070077130_6a76a8948b.jpg
http://farm2.static.flickr.com/1181/1455914801_3da3442150.jpg
http://farm2.static.flickr.com/1166/1084613054_9bdd5d97cc.jpg
http://farm1.static.flickr.com/95/274844094_6eecc1486a.jpg
http://farm1.static.flickr.com/76/169487100_003c2d33cb.jpg
http://farm2.static.flickr.com/1252/536144987_98af65f9dc.jpg
http://farm1.static.flickr.com/43/124141422_32996f9d8a.jpg
http://farm1.static.flickr.com/33/61115039_5f0ee96ab4.jpg
http://farm2.static.flickr.com/1062/1053282388_704b9609db.jpg
http://farm2.static.flickr.com/1061/1052139841_86d0a05c4b.jpg
http://farm2.static.flickr.com/1100/561200246_49973273fe.jpg
http://farm1.static.flickr.com/23/27867374_ee6037ffe1.jpg
http://farm1.static.flickr.com/40/98528419_e8d09b565c.jpg
http://farm1.static.flickr.com/39/87370779_9b19ccb3d2.jpg
http://www.antennerotterdam.nl/cache/120x100_90_site25_20060120223732_papa.JPG
HTTP Error 404: Not Found
http://farm1.static.flickr.com/36/124564481_a9b70b676b.jpg
http://farm2.static.flickr.com/1331/1262762193_1c79da5cda.jpg
http://farm2.static.flickr.com/1196/1474911481_3c3b562d96.jpg
http://farm1.static.flickr.com/70/157407641_2cccf2fd6d.jpg
http://farm1.static.flickr.com/40/123212835_26dc7cce62.jpg
http://farm2.static.flickr.com/1397/762659237_a274dc5377.jpg
http://farm2.static.flickr.com/1408/1159838656_e6c9af67ea.jpg
http://farm3.static.flickr.com/2322/2052884170_2ad7e0561e.jpg
http://farm1.static.flickr.com/55/148244477_0401747286.jpg
http://farm1.static.flickr.com/37/81464543_8c4fec3025.jpg
http://81.173.100.43/images/uplimages/pu_melchiotajax2.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm2.static.flickr.com/1346/762665025_69eb9cdad2.jpg
http://farm1.static.flickr.com/41/90562266_564cd6d238.jpg
http://farm1.static.flickr.com/23/28140321_e7748fda0a.jpg
http://farm1.static.flickr.com/43/81464749_0f1d616622.jpg
http://farm2.static.flickr.com/1302/1053619916_0123b5a9bb.jpg
http://farm1.static.flickr.com/118/267939903_15cf8f0052.jpg
http://farm1.static.flickr.com/37/111967860_e01236d4c8.jpg
http://farm1.static.flickr.com/27/88091971_e56f9aa586.jpg
http://farm1.static.flickr.com/56/137286728_c0c42b53e8.jpg
http://farm1.static.flickr.com/36/81476446_f02810f677.jpg
http://farm2.static.flickr.com/1434/814553208_daa9a3ebbc.jpg
http://farm1.static.flickr.com/12/18854013_602e33e771.jpg
http://www.elsevier.nl/artimg/200703/aboutaleb-wilders_200.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/63/157842335_6606d34860.jpg
http://farm1.static.flickr.com/38/124611327_d8c2dd1521.jpg
http://farm3.static.flickr.com/2303/1572768212_ea5cdc1bee.jpg
http://farm2.static.flickr.com/1380/1262781779_e25e29710e.jpg
http://farm1.static.flickr.com/35/115784474_4a2b2fb367.jpg
http://farm2.static.flickr.com/1012/1475063361_7072ea6c87.jpg
http://farm1.static.flickr.com/25/55071563_7be0db3f2b.jpg
http://farm1.static.flickr.com/167/426549538_59addaa947.jpg
http://farm1.static.flickr.com/49/114487608_6ed21d9a4f.jpg
http://www.swing-time.nl/images/story/Johnny_Soul.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/37/123604090_a715181879.jpg
http://www.askaninja.com/system/files/images/got_ninja.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1191/1217126793_9c615c94b5.jpg
http://farm2.static.flickr.com/1251/1475810746_3d326627af.jpg
http://farm1.static.flickr.com/72/162659458_b473ee4d14.jpg
http://farm2.static.flickr.com/1082/998835730_2d532a22a2.jpg
http://farm2.static.flickr.com/1367/1475909542_0d43766d7f.jpg
http://farm2.static.flickr.com/1418/1052518627_5a3b48eebb.jpg
http://farm2.static.flickr.com/1246/1052167491_cc32aba762.jpg
http://farm1.static.flickr.com/24/48762353_78d8d3960a.jpg
http://farm2.static.flickr.com/1221/763752282_9d9f9f2089.jpg
http://farm2.static.flickr.com/1095/1474944437_1ef881cee7.jpg
http://farm1.static.flickr.com/20/73908520_2da7db8972.jpg
http://www.audio-muziek.nl/componisten/afbeeldingen/hartmann1963.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1413/1297023514_5256e4e46f.jpg
http://www.chass.utoronto.ca/~medieval/www/pls/mk95b.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/243/517463439_8d700dc56f.jpg
http://www.portlandpsychology.com/hands.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/24/56318248_e70026f98e.jpg
http://farm2.static.flickr.com/1057/1052756729_765951de53.jpg
http://farm3.static.flickr.com/2048/2069241347_c429c84e02.jpg
http://farm1.static.flickr.com/64/195020852_cff85ebe7d.jpg
http://farm1.static.flickr.com/28/54216626_c3203005a4.jpg
http://farm1.static.flickr.com/21/27794934_dea17987c1.jpg
http://farm1.static.flickr.com/203/502593992_c67c12ffe8.jpg
http://farm1.static.flickr.com/32/45086909_bf20fd6f5a.jpg
http://farm1.static.flickr.com/33/45865940_e93eaf75be.jpg
http://farm2.static.flickr.com/1070/1252687646_2dd0c1ac4f.jpg
http://farm1.static.flickr.com/30/56341717_bd0e7d57d2.jpg
http://farm1.static.flickr.com/17/90956865_de2473e07f.jpg
http://farm1.static.flickr.com/52/141159317_72d56575b5.jpg
http://farm1.static.flickr.com/12/19170010_ff6d88e093.jpg
http://farm1.static.flickr.com/103/267939895_219cce6fe2.jpg
http://farm3.static.flickr.com/2191/2052949960_462ddc3055.jpg
http://farm2.static.flickr.com/1089/1024090586_a82a65543e.jpg
http://farm2.static.flickr.com/1288/1053436048_9c36c19370.jpg
http://farm2.static.flickr.com/1138/542007951_00240f3f6a.jpg
http://farm1.static.flickr.com/32/67847342_2d25c80ec7.jpg
http://farm1.static.flickr.com/50/134731682_bed4693b3b.jpg
http://rond1900.nl/Images/Grieg.jpg
http://farm2.static.flickr.com/1224/1475893020_039bbf6c7f.jpg
http://farm3.static.flickr.com/2348/2179636494_82e0c928f2.jpg
http://farm1.static.flickr.com/195/484271835_6698869aa7.jpg
http://farm1.static.flickr.com/27/55057606_6f594a33f2.jpg
http://farm1.static.flickr.com/41/122457522_8a3d0cc5b7.jpg
http://farm1.static.flickr.com/20/73831002_da3712aa4b.jpg
http://www.dwars.ua.ac.be/local/cache-vignettes/L200xH147/arton437-b02fb.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2042/2125942529_c0e8173728.jpg
http://farm3.static.flickr.com/2184/2155851746_d70221c103.jpg
http://www.fileunder.nl/archives/images/2007/09/the_aggrolites_klein.jpg
http://farm2.static.flickr.com/1276/813668241_c0ec67ac67.jpg
http://farm2.static.flickr.com/1340/1476003722_ca18e183c5.jpg
http://farm1.static.flickr.com/97/215402696_7cb7a51215.jpg
http://farm1.static.flickr.com/64/169479555_3b9fea1577.jpg
http://www.rapbasement.com/pictures/d/22201-3/buck_the_world.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/225/1507793160_9cb3fb5e61.jpg
http://farm2.static.flickr.com/1006/1475272641_23783ab11d.jpg
http://farm1.static.flickr.com/36/98538885_8fe107726c.jpg
http://farm1.static.flickr.com/59/174524124_3aedb1fe24.jpg
http://farm1.static.flickr.com/34/98491233_74bf68af78.jpg
http://farm1.static.flickr.com/19/93936384_1313dea1ea.jpg
http://images.apeldoorner.com/gebruikers/pasfotos/gebruiker_3229.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1041/814550434_24ebc84df5.jpg
http://farm1.static.flickr.com/42/106213248_11b81ad600.jpg
http://farm1.static.flickr.com/36/81413683_67b2bc37e3.jpg
http://farm3.static.flickr.com/2161/1549586490_ec63cce1a9.jpg
http://farm2.static.flickr.com/1179/1053495988_e70b20dabc.jpg
http://farm1.static.flickr.com/54/169431054_0c2a8115b7.jpg
http://www.condoleance.nl/pics/con3cd6b439bebc1.jpg
http://www.tomallwood.com/images/locations/india/maharashtra/old_man_nasik.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2224/2059400636_4915edb235.jpg
http://farm2.static.flickr.com/1226/1052705887_b8ae3f2882.jpg
http://farm1.static.flickr.com/24/53576719_06308d0871.jpg
http://farm2.static.flickr.com/1220/873342781_91734bc632.jpg
http://farm3.static.flickr.com/2253/2069233343_865a0ca6a5.jpg
http://farm2.static.flickr.com/1235/1052648769_82b21b097c.jpg
http://farm3.static.flickr.com/2196/2241433084_606dac0c05.jpg
http://farm2.static.flickr.com/1412/769460582_ca7e418a8d.jpg
http://farm1.static.flickr.com/44/145576642_8b70850bf5.jpg
http://farm3.static.flickr.com/2213/2070091966_3b3756d167.jpg
http://www.d66almere.nl/graf/werkbezoek3a.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1151/1475315553_d11dee92a9.jpg
http://farm3.static.flickr.com/2387/2104845887_c4c7306290.jpg
http://farm3.static.flickr.com/2126/2220733318_a542b43cb6.jpg
http://farm1.static.flickr.com/48/169468448_d288268d22.jpg
http://farm1.static.flickr.com/85/253125008_f72b514f05.jpg
http://farm1.static.flickr.com/48/179331886_989988b570.jpg
http://farm1.static.flickr.com/36/86259324_af73c29b79.jpg
http://farm1.static.flickr.com/218/508117915_6549e1821b.jpg
http://farm3.static.flickr.com/2096/1594349058_e05564f0c3.jpg
http://farm2.static.flickr.com/1243/1053379604_9589ec1b50.jpg
http://farm2.static.flickr.com/1165/1084168250_9618ee15a9.jpg
http://farm1.static.flickr.com/18/23684603_286f747809.jpg
http://farm3.static.flickr.com/2232/2052777392_dc71dc651c.jpg
http://farm3.static.flickr.com/2370/2052004507_2c69930a08.jpg
http://farm1.static.flickr.com/76/199646850_e7868881f1.jpg
http://farm2.static.flickr.com/1053/768591111_f3157fc240.jpg
http://farm2.static.flickr.com/1249/1297022266_5b4971f740.jpg
http://farm2.static.flickr.com/1413/1052116933_2ca21033e2.jpg
http://farm1.static.flickr.com/22/94852997_5938c8cd6d.jpg
http://farm1.static.flickr.com/46/169447207_0f2ce8a8a6.jpg
http://farm1.static.flickr.com/46/147219668_27b0209b4e.jpg
http://farm2.static.flickr.com/1355/1475738368_855a26f5eb.jpg
http://farm1.static.flickr.com/67/158566844_66234f08d1.jpg
http://farm2.static.flickr.com/1042/1052661039_f0a66488ff.jpg
http://farm1.static.flickr.com/54/147627249_ef5b99278d.jpg
http://farm3.static.flickr.com/2056/2047043522_a8927724d8.jpg
http://farm1.static.flickr.com/73/207937428_5da72df03c.jpg
http://farm1.static.flickr.com/175/436758826_7b718e76f8.jpg
http://img327.imageshack.us/img327/757/fotovoorforumklein0hf.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1031/1475311619_c0975f83f5.jpg
http://farm1.static.flickr.com/49/151115898_8ebbcdb9fe.jpg
http://farm1.static.flickr.com/34/96598114_393aa444b6.jpg
http://farm2.static.flickr.com/1327/729951609_2934c88805.jpg
http://farm1.static.flickr.com/58/199646851_85f0ef549a.jpg
http://farm3.static.flickr.com/2101/1571882397_5aed60a25e.jpg
http://farm3.static.flickr.com/2328/2178861445_a8896f73c0.jpg
http://farm2.static.flickr.com/1257/764479783_9e9dab7b4f.jpg
http://farm1.static.flickr.com/23/96594646_7d22182cbe.jpg
http://farm2.static.flickr.com/1148/1474962801_b57bd1b62c.jpg
http://farm2.static.flickr.com/1184/878995732_abce7a301e.jpg
http://farm1.static.flickr.com/203/497611716_e9278905d3.jpg
http://farm1.static.flickr.com/38/85586986_d02e85b25f.jpg
http://images.vpro.nl/img.db?18457212+s(150)
<urlopen error [Errno 60] Operation timed out>
http://farm2.static.flickr.com/1353/1053440806_6cacc5a7ec.jpg
http://farm2.static.flickr.com/1382/1052491393_f45297edf3.jpg
http://farm3.static.flickr.com/2244/2069243165_ab60d3701d.jpg
http://farm1.static.flickr.com/114/253128444_2ace10d11d.jpg
http://farm1.static.flickr.com/28/91230442_e2c8c859b1.jpg
http://farm2.static.flickr.com/1431/1053192590_eeddbf2354.jpg
http://farm2.static.flickr.com/1224/1159003889_32c75ab32b.jpg
http://farm3.static.flickr.com/2151/2134712891_ec1089e369.jpg
http://farm1.static.flickr.com/30/65585620_40b28ad3fc.jpg
http://farm1.static.flickr.com/40/81464247_7856fc3d49.jpg
http://farm1.static.flickr.com/12/18834164_58c850fc88.jpg
http://farm1.static.flickr.com/176/461274233_a486a74dd6.jpg
http://farm1.static.flickr.com/26/48754658_42fee4cc68.jpg
http://farm3.static.flickr.com/2225/1528978886_d4ebe9a69e.jpg
http://farm2.static.flickr.com/1388/1052697945_ee992498c6.jpg
http://farm1.static.flickr.com/12/17049340_ea32df9e11.jpg
http://farm1.static.flickr.com/58/190392596_50930e8ed3.jpg
http://farm1.static.flickr.com/222/483685650_4f19804b88.jpg
http://farm1.static.flickr.com/152/430250537_8e375c9720.jpg
http://farm1.static.flickr.com/23/89366652_64f6d52f4e.jpg
http://farm1.static.flickr.com/30/41177980_103ae9740c.jpg
http://farm2.static.flickr.com/1136/1484887340_55225c83c9.jpg
http://farm1.static.flickr.com/4/9574423_d636c2f90b.jpg
http://farm2.static.flickr.com/1049/759643821_7138fe007c.jpg
http://farm1.static.flickr.com/27/61176860_6be01d045f.jpg
http://farm3.static.flickr.com/2247/2067792820_247f68dfea.jpg
http://farm1.static.flickr.com/51/144792307_91ee066cd1.jpg
http://farm2.static.flickr.com/1126/805914701_e68fe97a26.jpg
http://www.paulvermast.nl/wp/wp-content/uploads/2007/07/mensen.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/75/169432664_f7d6bafffa.jpg
http://farm1.static.flickr.com/69/157335036_33f916e15b.jpg
http://farm3.static.flickr.com/2048/2047051264_eeb2603aa4.jpg
http://farm2.static.flickr.com/1416/981509616_2d74c39ce5.jpg
http://farm1.static.flickr.com/199/496700629_48dce9e57f.jpg
http://farm1.static.flickr.com/31/98632196_64a23e3113.jpg
http://farm1.static.flickr.com/52/170278663_d0fb7f4ba2.jpg
http://farm3.static.flickr.com/2014/2052020495_7fe594dff2.jpg
http://farm2.static.flickr.com/1236/1349040294_f51f00f702.jpg
http://taalschrift.org/img/benali.jpg
http://farm2.static.flickr.com/1354/1475206841_f33e6e67f4.jpg
http://farm1.static.flickr.com/43/124584314_b9b090baf9.jpg
http://farm1.static.flickr.com/118/253134424_d22bfd4f74.jpg
http://farm1.static.flickr.com/179/441310900_7740d76c89.jpg
http://farm3.static.flickr.com/2054/2155785626_b480904ef1.jpg
http://farm2.static.flickr.com/1159/932390485_9415ae8653.jpg
http://farm1.static.flickr.com/212/514082877_b0998ac2c4.jpg
http://farm1.static.flickr.com/23/95251241_00f1463386.jpg
http://farm3.static.flickr.com/2122/2070307162_4acd64e9ab.jpg
http://farm2.static.flickr.com/1341/1052540803_330bd90d8e.jpg
http://farm1.static.flickr.com/3/5419882_e238cc44c5.jpg
http://farm2.static.flickr.com/1194/567205551_873e5a68a5.jpg
http://farm1.static.flickr.com/28/65858174_56392396bb.jpg
http://farm1.static.flickr.com/149/376788364_966b37f7d6.jpg
http://farm1.static.flickr.com/85/242236012_ab664f1245.jpg
http://farm1.static.flickr.com/21/27976833_243f0f3b43.jpg
http://farm1.static.flickr.com/208/457806511_42601a94b4.jpg
http://farm2.static.flickr.com/1013/1475078683_8dcd33db96.jpg
http://farm1.static.flickr.com/30/89921052_6fb60001a7.jpg
http://farm2.static.flickr.com/1201/1423370556_6eb497b45c.jpg
http://farm3.static.flickr.com/2082/2185066988_785ccdaecf.jpg
http://farm2.static.flickr.com/1129/1474956331_9b0d34b19c.jpg
http://www.vakantie-in-brandenburg.nl/media_nl/koepfe_collage_fertig_160.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1124/763519324_b98b099ed2.jpg
http://farm1.static.flickr.com/37/83271049_53dabecde8.jpg
http://farm1.static.flickr.com/28/61403284_de356a1208.jpg
http://farm1.static.flickr.com/41/122463095_ebfa54b774.jpg
http://farm1.static.flickr.com/44/162946375_38ef630f1c.jpg
http://www.corsan.be/fotos/acteurs/elinevere_moniquevandeven.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1025/1049156718_29c8923a16.jpg
http://farm1.static.flickr.com/80/255449865_9d2c642d1d.jpg
http://60gp.ovh.net/~novacivi/blog/archives/fnv10.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1225/763517868_c567a8c950.jpg
http://farm2.static.flickr.com/1226/1474863827_b3b968a0a2.jpg
http://farm2.static.flickr.com/1415/1053498536_2fbdecd1ae.jpg
http://farm1.static.flickr.com/31/103736975_0215c38d34.jpg
http://farm3.static.flickr.com/2187/2070111612_6858129200.jpg
http://farm3.static.flickr.com/2095/1507493884_32db5059de.jpg
http://farm3.static.flickr.com/2073/2052198239_4c408ef9c3.jpg
http://farm2.static.flickr.com/1303/1053257508_6ac21e9098.jpg
http://farm3.static.flickr.com/2009/2069317767_8545760deb.jpg
http://farm1.static.flickr.com/44/169478640_61142b9aa8.jpg
http://farm1.static.flickr.com/128/334626353_6189daf62d.jpg
http://farm1.static.flickr.com/10/12855008_1c394ba47d.jpg
http://farm1.static.flickr.com/39/83172825_691a496328.jpg
http://farm1.static.flickr.com/157/382436535_e9d59e03b5.jpg
http://farm2.static.flickr.com/1358/1010096740_cee20fc4bb.jpg
http://farm3.static.flickr.com/2059/2155050717_234b3217e2.jpg
http://farm1.static.flickr.com/90/267957797_b5ded40d65.jpg
http://farm3.static.flickr.com/2105/1528103617_b894c6805d.jpg
http://farm1.static.flickr.com/29/94852818_4de3ee5aa5.jpg
http://www.underwatertimes.com/news2/joan_collins.jpg
http://farm1.static.flickr.com/226/458086679_3a1908f42f.jpg
http://farm1.static.flickr.com/9/86361373_c16e16ef39.jpg
http://farm3.static.flickr.com/2092/1549543784_e93c6204d1.jpg
http://farm1.static.flickr.com/13/17587513_8e4e0fb611.jpg
http://www.stellenboschwriters.com/uyskrige1.jpg
http://farm1.static.flickr.com/95/277125677_633a5c088c.jpg
http://farm1.static.flickr.com/41/81427841_ae79add316.jpg
http://farm1.static.flickr.com/12/18837374_ba83364ab0.jpg
http://www.architeacher.org/community/images/community-main.jpg
http://farm3.static.flickr.com/2341/1548701691_dadfd7e533.jpg
http://farm2.static.flickr.com/1149/695204332_1175e6a7a9.jpg
http://farm1.static.flickr.com/194/508966670_dbca954732.jpg
http://farm1.static.flickr.com/12/18833579_9580e2d968.jpg
http://farm2.static.flickr.com/1226/1053458638_d0397eef06.jpg
http://farm1.static.flickr.com/74/171607660_f919dd6d2f.jpg
http://farm2.static.flickr.com/1275/741487612_a761510efb.jpg
http://farm1.static.flickr.com/21/27975442_7ff1ad1427.jpg
http://farm1.static.flickr.com/40/118665137_d237924f04.jpg
http://farm2.static.flickr.com/1080/1476054506_85232300e2.jpg
http://www.sp.nl/partij/gekozen/jan.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1320/1326241418_b0b8f232b8.jpg
http://farm1.static.flickr.com/21/27979584_683c074d1a.jpg
http://farm1.static.flickr.com/25/60317120_7558886026.jpg
http://farm1.static.flickr.com/21/27794932_1595761d71.jpg
http://farm1.static.flickr.com/73/169434177_9ffd6090a8.jpg
http://farm1.static.flickr.com/27/43426085_b7f894e2a1.jpg
http://farm3.static.flickr.com/2219/2052808680_7b8b55f4e7.jpg
http://farm1.static.flickr.com/118/310197340_61461f641b.jpg
http://farm2.static.flickr.com/1256/1053219640_c2034c8656.jpg
http://www.deltaweb.be/images/articles/thumbnails/477.jpg
http://farm1.static.flickr.com/49/127856539_9e4e8cae7d.jpg
http://farm1.static.flickr.com/49/135668636_8955ccbdbd.jpg
http://farm1.static.flickr.com/12/18847358_057dfc6aea.jpg
http://farm1.static.flickr.com/87/253135877_92b50e0381.jpg
http://farm1.static.flickr.com/168/485930599_f564c4e2c2.jpg
http://farm1.static.flickr.com/36/107549354_513277412a.jpg
http://farm2.static.flickr.com/1268/1052646285_b62d2af257.jpg
http://farm3.static.flickr.com/2381/1741535300_5680587b3f.jpg
http://www.armhoefseakkers.nl/images/2005-02%20Geert-Jan%20Truijen.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/196/514055334_3e794800e9.jpg
http://farm3.static.flickr.com/2220/2178847845_6494f00b73.jpg
http://farm3.static.flickr.com/2196/2178848047_427f0cf710.jpg
http://farm1.static.flickr.com/177/471346668_074d8b3030.jpg
http://www.lg-magazine.nl/LG2006/IMAGES/issue/04/subscription_03.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/9/68900875_d89dadf918.jpg
http://farm1.static.flickr.com/28/88092906_aa057b4f92.jpg
http://www.fileunder.nl/archives/images/2007/07/rufus_wainright_klein.jpg
http://www.rooiereus.nl/images/spijkers.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2371/1729348197_0c9d019cf3.jpg
http://farm2.static.flickr.com/1331/1053417984_4284d0a12e.jpg
http://farm2.static.flickr.com/1432/1053365992_04d873deff.jpg
http://farm1.static.flickr.com/201/458022136_a5f18d7781.jpg
http://farm3.static.flickr.com/2067/2059391874_8d7bc4a8c2.jpg
http://farm1.static.flickr.com/66/188364896_3589f11758.jpg
http://farm1.static.flickr.com/10/17621535_7dcf9659f8.jpg
http://www.malendevlinders.nl/images/anders-PORTRET.jpg
http://www.spunk.nl/upload/vm-afvallen.jpg
HTTP Error 502: Bad Gateway
http://farm3.static.flickr.com/2203/2070095016_180fe78ee2.jpg
http://farm2.static.flickr.com/1258/927058548_9fc3c4cd92.jpg
http://farm2.static.flickr.com/1178/1053252138_6012d2ac3f.jpg
http://farm2.static.flickr.com/1357/867087070_02a9c036cb.jpg
http://www.nrc.nl/multimedia/archive/00093/benno_barnard__huizi_93097a.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1334/1033445070_a443a93e79.jpg
http://farm1.static.flickr.com/18/88669259_fc0b90e678.jpg
http://farm2.static.flickr.com/1199/997715746_26bfb2b214.jpg
http://farm3.static.flickr.com/2194/2178855995_11fe1ecda9.jpg
http://farm1.static.flickr.com/29/42890555_9e60acd9af.jpg
http://farm1.static.flickr.com/127/319497877_0aa93d56db.jpg
http://farm2.static.flickr.com/1014/1476221314_d82c88fa98.jpg
http://farm2.static.flickr.com/1282/665317414_ef6c78259a.jpg
http://farm2.static.flickr.com/1152/1475949362_bb1bcd5498.jpg
http://farm1.static.flickr.com/59/156503544_bff0675051.jpg
http://farm1.static.flickr.com/48/155102324_9b94701140.jpg
http://farm3.static.flickr.com/2074/1549548578_4fbf0e7557.jpg
http://farm2.static.flickr.com/1065/1053187320_ad7d49f9bb.jpg
http://farm1.static.flickr.com/14/17623597_a9d74657e0.jpg
http://farm2.static.flickr.com/1068/1475993272_b1f0eec233.jpg
http://farm1.static.flickr.com/68/201935601_5b300c8d81.jpg
http://farm2.static.flickr.com/1187/1476067046_6360fa6654.jpg
http://farm1.static.flickr.com/32/60118175_410c4e4225.jpg
http://farm2.static.flickr.com/1397/1052154943_42e7d49829.jpg
http://farm2.static.flickr.com/1256/1053084510_feaf21c3e6.jpg
http://farm2.static.flickr.com/1383/1475884802_db86546ca0.jpg
http://farm1.static.flickr.com/42/82431561_2a5f3b2fb7.jpg
http://www.amherst.edu/%7Eccs/summer2000/nycprojects/nyc11/flipman.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/235/456388422_07d78699e8.jpg
http://farm3.static.flickr.com/2389/2142929774_b16fe6e01a.jpg
http://farm2.static.flickr.com/1266/976047043_c04a67b4df.jpg
http://farm3.static.flickr.com/2244/2052066205_2476fcd2e4.jpg
http://farm2.static.flickr.com/1426/922975700_dc79b15b76.jpg
http://farm3.static.flickr.com/2065/2074035403_15559f89f8.jpg
http://farm3.static.flickr.com/2044/2052970012_9e354a9559.jpg
http://farm1.static.flickr.com/152/435320372_1cf59799a6.jpg
http://farm3.static.flickr.com/2050/2052004607_5d730ca28c.jpg
http://farm1.static.flickr.com/30/41594546_90a74fe1bb.jpg
http://farm2.static.flickr.com/1090/1052162211_e3171d3967.jpg
http://farm3.static.flickr.com/2169/2168198180_296b2f41b5.jpg
http://farm2.static.flickr.com/1284/1052537809_3bc8e90513.jpg
http://farm1.static.flickr.com/210/469032011_1d7c014f54.jpg
http://farm1.static.flickr.com/35/122740493_e37e05b94e.jpg
http://farm1.static.flickr.com/39/83113266_57708394db.jpg
http://farm1.static.flickr.com/2/2161988_b77dc3a6ea.jpg
http://farm1.static.flickr.com/57/195017768_3097f7a38b.jpg
http://farm1.static.flickr.com/69/163495488_f1e4aece16.jpg
http://farm3.static.flickr.com/2402/2052946596_5543acc7e0.jpg
http://farm1.static.flickr.com/91/267957793_381496b46d.jpg
http://farm1.static.flickr.com/35/118675069_3e5e38f409.jpg
http://farm1.static.flickr.com/21/30518304_43db3b4b68.jpg
http://farm1.static.flickr.com/33/67835193_4a3faf2451.jpg
http://farm3.static.flickr.com/2342/2179637112_be18bf167c.jpg
http://farm1.static.flickr.com/11/96593865_659d6cf2ab.jpg
http://farm1.static.flickr.com/209/442547590_21e13e8815.jpg
http://farm1.static.flickr.com/24/48905987_df988ca5bf.jpg
http://farm3.static.flickr.com/2259/2069218555_c494b7c42b.jpg
http://farm2.static.flickr.com/1005/1282974834_3ddc721a49.jpg
http://farm3.static.flickr.com/2010/2059391018_e01e2cf512.jpg
http://farm1.static.flickr.com/53/141164472_158e088b41.jpg
http://farm3.static.flickr.com/2300/2052054981_f48b906881.jpg
http://farm2.static.flickr.com/1112/565489963_2f69c9e4e6.jpg
http://farm1.static.flickr.com/1/122792403_dde0903131.jpg
http://farm3.static.flickr.com/2342/1528889038_c777dacc0c.jpg
http://farm1.static.flickr.com/14/17620153_721aa2b76e.jpg
http://farm1.static.flickr.com/66/209559555_1d36b69e24.jpg
http://farm2.static.flickr.com/1035/1053390658_2ca4f22ae8.jpg
http://farm1.static.flickr.com/11/88091972_41ac21a070.jpg
http://farm3.static.flickr.com/2348/1527979597_9aa91502ba.jpg
http://static-p.arttoday.com/thw/thw13/PO/5344_2005020025/010306_0684_05/23462861.thw.jpg?010306_0684_0523_l__p
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2030/2070879902_35369a0df6.jpg
http://farm1.static.flickr.com/40/81428862_2aa5cd1faf.jpg
http://farm3.static.flickr.com/2379/2178854981_aa798dc173.jpg
http://farm1.static.flickr.com/2/2579250_1539fe955d.jpg
http://farm1.static.flickr.com/102/291163211_429179d4d5.jpg
http://farm1.static.flickr.com/76/169476116_55ac8253c6.jpg
http://farm3.static.flickr.com/2362/2179650824_cd3022f430.jpg
http://farm1.static.flickr.com/162/333582692_18e27f5a32.jpg
http://farm3.static.flickr.com/2184/2179643308_e5a57b7e7b.jpg
http://farm3.static.flickr.com/2069/2052109913_fc3f10413b.jpg
http://farm2.static.flickr.com/1045/763522330_2686144dc6.jpg
http://farm1.static.flickr.com/33/102942820_f57fbb4af5.jpg
http://farm1.static.flickr.com/13/18381450_fdf31545db.jpg
http://www.italianrap.com/art/lil_man.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm1.static.flickr.com/42/117007262_d8ff945931.jpg
http://farm3.static.flickr.com/2352/2202082045_4fb7e83cd2.jpg
http://farm2.static.flickr.com/1072/1053063024_f18db7b0fa.jpg
http://farm1.static.flickr.com/96/259704327_0b814d3457.jpg
http://farm2.static.flickr.com/1008/1273180188_9b0f557d27.jpg
http://farm1.static.flickr.com/33/55063306_c7f64f488d.jpg
http://farm1.static.flickr.com/36/84775606_4aa5ced51f.jpg
http://farm1.static.flickr.com/42/84307227_ddc398a920.jpg
http://farm3.static.flickr.com/2193/1527934415_b9d26566d5.jpg
http://farm1.static.flickr.com/21/27975438_43c72c8948.jpg
http://farm1.static.flickr.com/35/122777605_57399b3f05.jpg
http://farm2.static.flickr.com/1156/538214902_f69c30fb76.jpg
http://farm1.static.flickr.com/56/124613904_727df0f543.jpg
http://farm3.static.flickr.com/2122/2213300935_93053d9305.jpg
http://farm2.static.flickr.com/1171/1049763421_888ce64cbe.jpg
http://www.swing-time.nl/images/story/Amigo-2.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1248/1053098394_e97f9bd686.jpg
http://ayaanhirsiali.web-log.nl/photos/uncategorized/05_1.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1013/1296515130_08748c0f3c.jpg
http://farm1.static.flickr.com/48/112824242_f9260ac195.jpg
http://snn.vvb.org/komrijprijs.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2251/1582291150_34c7067e6b.jpg
http://www.wiworks.com/images/fat-man-at-computer.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/34/122766855_5b65e52c6c.jpg
http://farm1.static.flickr.com/53/169444976_bc891d259d.jpg
http://www.venturecapitalcoach.com/upload/1/images/edovansanten-groeicoach.JPG
http://farm2.static.flickr.com/1264/1053598256_fa9be4bf04.jpg
http://farm1.static.flickr.com/35/112824130_6b1f74151d.jpg
http://farm2.static.flickr.com/1067/703431958_911e4cba50.jpg
http://farm2.static.flickr.com/1098/806469398_01f7705043.jpg
http://www.johnavonds.be/fotos/zaakvoerder.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/59/204239263_79c8f45fef.jpg
http://farm3.static.flickr.com/2380/1548719645_1ec3b6e93d.jpg
http://farm3.static.flickr.com/2030/2052161965_ecab20694d.jpg
http://farm1.static.flickr.com/90/253134122_0604c59daf.jpg
http://nederlandierland.bravehost.com/myPictures/patricksday+016.JPG
HTTP Error 404: Not Found
http://farm1.static.flickr.com/55/118655494_2b006538d4.jpg
http://farm1.static.flickr.com/42/86342335_9db9aacac3.jpg
http://farm1.static.flickr.com/197/488767593_98a37fec1a.jpg
http://farm3.static.flickr.com/2398/2070086950_2bca7c76f0.jpg
http://farm1.static.flickr.com/98/267943754_ca56310860.jpg
http://farm3.static.flickr.com/2118/2052084739_b573f2a061.jpg
http://farm3.static.flickr.com/2168/2052808420_6e7d4f3288.jpg
http://farm1.static.flickr.com/30/36942452_0f119f2bf0.jpg
http://farm3.static.flickr.com/2185/2052020009_04d97b70ec.jpg
http://farm2.static.flickr.com/1208/1053493526_4f795a14bc.jpg
http://farm1.static.flickr.com/50/147627162_ec54149dc4.jpg
http://farm3.static.flickr.com/2108/2052085205_8b2d2c6d55.jpg
http://farm1.static.flickr.com/116/312626101_7febed74e3.jpg
http://www.allanthompson.ca/blogphotos/refugees-on-the-road.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/111/253135231_3122b66529.jpg
http://farm1.static.flickr.com/15/18861924_0e86639cf7.jpg
http://farm1.static.flickr.com/34/102968109_5536e580e4.jpg
http://farm1.static.flickr.com/192/495271771_0f445b8aee.jpg
http://farm1.static.flickr.com/20/88091975_3ef6b4dfb5.jpg
http://cmp.roularta.be/cmdata/Images/site80/caren/columnisten/crols_frans_column.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/188/435320392_82a721185a.jpg
http://farm2.static.flickr.com/1301/1053528762_85028464a2.jpg
http://farm1.static.flickr.com/37/84242541_ef5ac8a334.jpg
http://farm3.static.flickr.com/2095/2052786754_32abe127ff.jpg
http://farm3.static.flickr.com/2133/2052953780_8164cc9474.jpg
http://farm1.static.flickr.com/22/27979822_fab97bb1fd.jpg
http://farm1.static.flickr.com/80/253127480_172da770e0.jpg
http://farm3.static.flickr.com/2415/2188611452_aa9898d5f1.jpg
http://farm1.static.flickr.com/32/96206566_9e9c52197a.jpg
http://farm1.static.flickr.com/39/84295417_a4d4b88333.jpg
http://farm3.static.flickr.com/2154/2052110423_a5dbb07826.jpg
http://farm3.static.flickr.com/2263/2052884724_760f7d5bda.jpg
http://farm2.static.flickr.com/1019/1053095642_1efb23e27f.jpg
http://farm1.static.flickr.com/49/126116052_8eb78c413e.jpg
http://www.iranactor.com/artists/actors/image/Mohammadreza_Golzar_p.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1103/1053131554_7df08ef5af.jpg
http://farm1.static.flickr.com/179/422577922_6c1156fcfa.jpg
http://farm1.static.flickr.com/11/13123351_50bea42710.jpg
http://farm1.static.flickr.com/33/40430500_980936411b.jpg
http://farm3.static.flickr.com/2099/2178862709_93fb1bf160.jpg
http://farm2.static.flickr.com/1066/754800759_abe90ba7de.jpg
http://farm1.static.flickr.com/30/88091979_d6e6767513.jpg
http://farm1.static.flickr.com/33/56816312_2166d0d1d3.jpg
http://farm1.static.flickr.com/3/3828813_7ec0c75681.jpg
http://farm1.static.flickr.com/222/488767585_a9c393e61b.jpg
http://farm1.static.flickr.com/14/17048022_5aa05c3eb1.jpg
http://farm2.static.flickr.com/1028/592672844_2e29723d2f.jpg
http://farm1.static.flickr.com/29/40435324_4b486341cb.jpg
http://farm1.static.flickr.com/68/168871906_5d10ab6e41.jpg
http://farm1.static.flickr.com/26/35924466_2bf4abc47f.jpg
http://farm3.static.flickr.com/2282/1528790866_ce390213bb.jpg
http://farm1.static.flickr.com/176/376772009_cab4fe9990.jpg
http://farm3.static.flickr.com/2249/1567672769_c2c7265c56.jpg
http://farm3.static.flickr.com/2020/1549577748_10a7156eb0.jpg
http://farm2.static.flickr.com/1188/1052590519_523111b789.jpg
http://farm1.static.flickr.com/76/192409667_ca2eff93cf.jpg
http://farm1.static.flickr.com/30/43312903_ee204443b9.jpg
http://farm2.static.flickr.com/1204/1053159014_dda0c9c38f.jpg
http://farm2.static.flickr.com/1022/1447587759_0670a4b922.jpg
http://farm1.static.flickr.com/42/122745538_b04e4f9263.jpg
http://farm2.static.flickr.com/1438/1052416105_50e4047119.jpg
http://farm1.static.flickr.com/21/29861969_94230b35cd.jpg
http://farm3.static.flickr.com/2263/2227915422_03f45cd929.jpg
http://farm1.static.flickr.com/38/83283008_9a1d0afbfc.jpg
http://farm2.static.flickr.com/1158/1049156528_3defd6c6e6.jpg
http://www.ublad.uu.nl/weblog/floris/img/florisvdberg.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm2.static.flickr.com/1325/1475019261_fd59561dd6.jpg
http://farm1.static.flickr.com/31/48769027_77c07c2a53.jpg
http://farm1.static.flickr.com/30/61403283_41ebad8b62.jpg
http://farm2.static.flickr.com/1175/1053415282_b2a6911247.jpg
http://farm1.static.flickr.com/177/438171545_11c1f6b604.jpg
http://farm1.static.flickr.com/63/196926179_90ce53f711.jpg
http://farm1.static.flickr.com/15/18847784_455c975a41.jpg
http://weblogs.nrc.nl/weblog/discussie/wp-content/uploads/augustus_2007/.thumbs/.wilders.jpg
HTTP Error 410: Gone
http://farm2.static.flickr.com/1385/1053237466_c72c16feab.jpg
http://farm1.static.flickr.com/120/277069777_cd2649e7bd.jpg
http://members.home.nl/puijenbroek/HvW/PaulV.jpg
http://www.fundacionyuste.org/academia/academicos/objetos/Abram_de_Swaam.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1289/922949516_59cff13d2b.jpg
http://farm1.static.flickr.com/78/209976845_50c7394fb1.jpg
http://farm2.static.flickr.com/1381/1475055065_bf0b68c862.jpg
http://farm1.static.flickr.com/94/253087494_a706dc5021.jpg
http://www.lombox.nl/beeldmateriaal/visvanvos.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/198/511684946_939f5211ec.jpg
http://www.simonvroemen.nl/gif/kopfoto.gif
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/185/426000157_6153d27760.jpg
http://farm1.static.flickr.com/21/27634830_964c8c0d19.jpg
http://farm2.static.flickr.com/1335/1276910525_6ec51c32ae.jpg
http://farm3.static.flickr.com/2146/2154974669_b81f0c1510.jpg
http://farm2.static.flickr.com/1034/922946116_e542ce0a74.jpg
http://farm2.static.flickr.com/1319/1461911540_fef7814c44.jpg
http://www.elsevier.nl/artimg/200703/tommyhilfiger4.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/8/10712841_8d19cea95f.jpg
http://farm1.static.flickr.com/40/84309246_929998b665.jpg
http://farm2.static.flickr.com/1323/769454898_18456a7045.jpg
http://farm1.static.flickr.com/26/48772444_f50b0f62fc.jpg
http://farm1.static.flickr.com/46/187668870_7c0509d9a6.jpg
http://farm2.static.flickr.com/1165/1052621983_d88366278e.jpg
http://lh3.google.com/_fNPal4T3AvU/RcX2LISgdNI/AAAAAAAAAY4/5qaP69QGvhQ/s800/IMG_0560-1.jpg
http://farm1.static.flickr.com/37/81427173_502710d593.jpg
http://farm1.static.flickr.com/28/54220874_dddb27ebc2.jpg
http://farm1.static.flickr.com/30/48764157_19ea1e079d.jpg
http://farm1.static.flickr.com/69/197717530_23f919c6a8.jpg
http://farm1.static.flickr.com/213/499636616_8de2fde7b5.jpg
http://farm1.static.flickr.com/11/17618161_e395c0d3ea.jpg
http://farm1.static.flickr.com/67/169465852_3aca8d7380.jpg
http://farm1.static.flickr.com/15/18831608_011bf0e149.jpg
http://farm3.static.flickr.com/2201/2144157587_9966163b98.jpg
http://farm1.static.flickr.com/30/48181031_03e10eaade.jpg
http://farm3.static.flickr.com/2387/2052021513_30f58ae2d1.jpg
http://farm1.static.flickr.com/33/40435325_780e2453e1.jpg
http://farm2.static.flickr.com/1069/1052562345_deaccdc856.jpg
http://farm1.static.flickr.com/95/209558237_8810799986.jpg
http://farm3.static.flickr.com/2333/2059378084_10046292e8.jpg
http://farm1.static.flickr.com/26/53576721_a6eb6e5023.jpg
http://farm2.static.flickr.com/1036/1052301215_15a20685bd.jpg
http://farm1.static.flickr.com/96/253135534_9306fdc0a0.jpg
http://www.vn.nl/upload/b59502e4-e8ed-4ad1-8b83-c8a46639ab52_1180694466908-1989890372_1999999714_webshop_voorkant.jpg
HTTP Error 404: Not Found
http://cmgt.chn.nl/weblog_hw/uploaded_images/Sinterklaas-3-786971
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/41/86346022_37422e4bed.jpg
http://adfoblog.onstuimig.nl/images/uploads/monocle-foto_thumb.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1366/1052483131_6b7d38160b.jpg
http://www.andersreizen.nl/jpeg/no/no02w01c.jpg
http://farm3.static.flickr.com/2299/2052084667_aef4ddde91.jpg
http://farm2.static.flickr.com/1053/1053222198_a947b9aa57.jpg
http://farm1.static.flickr.com/188/431274548_33cff36117.jpg
http://farm1.static.flickr.com/40/81463552_13c04be803.jpg
http://farm1.static.flickr.com/224/508101234_a9ba023cf1.jpg
http://farm1.static.flickr.com/9/85552462_bb4872b008.jpg
http://farm1.static.flickr.com/22/31358798_23ee11720a.jpg
http://www.wiskigeamatyuk.com/Old_Pics/Face%20Shot.jpg
http://farm3.static.flickr.com/2399/2161072846_677d355760.jpg
http://farm1.static.flickr.com/63/197204238_1e9d82ee91.jpg
http://farm2.static.flickr.com/1391/1053550760_9258fba30e.jpg
http://farm1.static.flickr.com/42/84303047_034a3986f1.jpg
http://farm2.static.flickr.com/1141/706059037_aed5a6b25f.jpg
http://www.grancanaria.com/patronato_turismo/typo3temp/pics/0d7eca88b6.jpg
http://farm1.static.flickr.com/4/7115800_4db1bad31c.jpg
http://farm1.static.flickr.com/33/65585625_efe2886cc6.jpg
http://farm1.static.flickr.com/113/288220705_7692521780.jpg
http://farm1.static.flickr.com/40/124565402_8f9c0afb3b.jpg
http://farm3.static.flickr.com/2203/1756911552_24765858af.jpg
http://farm2.static.flickr.com/1030/763526096_9a936e985c.jpg
http://www.cultuurpodium.nl/images/ward.jpg
http://farm1.static.flickr.com/45/164182806_d0b3c94561.jpg
http://farm1.static.flickr.com/232/506397151_19cd45f01c.jpg
http://farm2.static.flickr.com/1147/1053344642_9714abcef2.jpg
http://farm1.static.flickr.com/36/84301957_b82fe207a5.jpg
http://farm1.static.flickr.com/167/450114105_89aa13d9ff.jpg
http://farm1.static.flickr.com/77/169462625_0749fe4f71.jpg
http://farm1.static.flickr.com/36/118667736_4feecaf2e3.jpg
http://www.vakantie-in-brandenburg.nl/media_nl/einstein_k.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1337/1052248933_a2436d499f.jpg
http://farm1.static.flickr.com/47/142377322_dfadad8337.jpg
http://farm2.static.flickr.com/1222/1052292919_2a51ca3e80.jpg
http://farm1.static.flickr.com/26/67835199_5a205ccc4f.jpg
http://farm1.static.flickr.com/31/48915785_388d14d075.jpg
http://www.bepster.com/_forum/index.php?action=dlattach;attach=7986;type=avatar
HTTP Error 404: Not Found
http://farm1.static.flickr.com/159/366893523_1ade005e87.jpg
http://farm1.static.flickr.com/23/29861968_c8a4c73021.jpg
http://farm2.static.flickr.com/1257/1476144934_26e4bea8ba.jpg
http://www.malendevlinders.nl/images/Matthew-PORTRETklein.jpg
http://farm1.static.flickr.com/89/259691735_99a9a9cbf3.jpg
http://farm3.static.flickr.com/2377/1552053968_121a3669b6.jpg
http://farm1.static.flickr.com/30/56378818_9fb39f3ae9.jpg
http://farm2.static.flickr.com/1144/1053428206_7f06b9efd8.jpg
http://farm2.static.flickr.com/1374/1053625100_92575d513b.jpg
http://farm2.static.flickr.com/1276/1052108177_3f903f070e.jpg
http://farm1.static.flickr.com/28/48754652_a96864981b.jpg
http://farm1.static.flickr.com/44/147627467_954b967e56.jpg
http://farm1.static.flickr.com/20/68900874_dbae5b1aa8.jpg
http://farm1.static.flickr.com/14/17708425_38f434ecb9.jpg
http://farm1.static.flickr.com/53/163974466_8b042fffb7.jpg
http://farm2.static.flickr.com/1349/1084337272_cf4afa8040.jpg
http://farm2.static.flickr.com/1345/1026629811_6d881f592e.jpg
http://farm3.static.flickr.com/2017/1528805794_86a80afd99.jpg
http://farm2.static.flickr.com/1282/1251544912_663d39dcda.jpg
http://farm1.static.flickr.com/150/428388752_12755b3373.jpg
http://farm1.static.flickr.com/28/42144673_13c220ce86.jpg
http://farm3.static.flickr.com/2137/2106444960_85ab7026be.jpg
http://farm1.static.flickr.com/162/413879773_28e964ca24.jpg
http://farm1.static.flickr.com/29/67847340_62a5b035fd.jpg
http://farm3.static.flickr.com/2200/2069286501_3872a7d41a.jpg
http://farm2.static.flickr.com/1049/723473481_814de0961b.jpg
http://farm1.static.flickr.com/123/322757775_d82a45a337.jpg
http://farm1.static.flickr.com/53/142671030_4d6b47af82.jpg
http://farm1.static.flickr.com/144/353090168_83cf70a689.jpg
http://farm1.static.flickr.com/47/118410531_b98be84f29.jpg
http://farm2.static.flickr.com/1057/684891281_949178b51f.jpg
http://farm1.static.flickr.com/82/278738154_068dd3bf3d.jpg
http://farm1.static.flickr.com/42/84264069_c403649a76.jpg
http://farm1.static.flickr.com/40/86364742_a3b70f3063.jpg
http://farm2.static.flickr.com/1060/1475348795_16581f02e0.jpg
http://farm3.static.flickr.com/2168/2052794082_3046c1fcba.jpg
http://farm1.static.flickr.com/38/81427264_1cc6699f51.jpg
http://farm3.static.flickr.com/2280/2052894330_e69ebb0921.jpg
http://farm1.static.flickr.com/37/84778512_6d9d7eff3f.jpg
http://farm1.static.flickr.com/189/441428044_6625ac6f94.jpg
http://farm3.static.flickr.com/2295/1548681069_a614008308.jpg
http://farm1.static.flickr.com/65/157405891_ec1473c566.jpg
http://farm1.static.flickr.com/68/161709362_d2374a6c5d.jpg
http://static.flickr.com/49/190857215_cbec69c451.jpg
http://farm1.static.flickr.com/47/114487939_bb5f605ff7.jpg
http://farm1.static.flickr.com/12/18837815_bbde7fd890.jpg
http://farm1.static.flickr.com/6/85573483_17ff803e8a.jpg
http://farm3.static.flickr.com/2153/2052020949_872dd93a9d.jpg
http://farm3.static.flickr.com/2228/1528963686_0312de65c2.jpg
http://farm1.static.flickr.com/105/253128718_11237f8a3f.jpg
http://farm1.static.flickr.com/41/83317434_90ad716334.jpg
http://farm2.static.flickr.com/1207/1052685687_129c3c38dd.jpg
http://farm1.static.flickr.com/63/169427137_6e841aaeb8.jpg
http://farm2.static.flickr.com/1301/911446925_a38a5a6db2.jpg
http://farm1.static.flickr.com/172/383803183_59d54f335a.jpg
http://farm1.static.flickr.com/26/40428281_b105d38f5c.jpg
http://taalschrift.org/img/pic3-zoomin.jpg
http://farm1.static.flickr.com/185/379668734_f8b77fadf8.jpg
http://farm1.static.flickr.com/24/56341715_cd5871f75c.jpg
http://farm1.static.flickr.com/39/119283227_490d6b8e8d.jpg
http://farm1.static.flickr.com/88/241925810_9d981b2789.jpg
http://farm3.static.flickr.com/2032/1549574446_3aad48fc42.jpg
http://farm3.static.flickr.com/2232/2178352223_41e84e50c7.jpg
http://farm1.static.flickr.com/168/435483009_7f83e13e2b.jpg
http://farm1.static.flickr.com/244/448794587_7575a83479.jpg
http://farm2.static.flickr.com/1347/1052343095_b3c5b842ab.jpg
http://www.thevincentaward.eu/images/slide/022SMCSThe%20PRESENT07.jpg
hostname 'www.thevincentaward.eu' doesn't match either of 'web5.shared.hosting-login.net', 'www.web5.shared.hosting-login.net'
http://farm3.static.flickr.com/2356/2069283431_e66b3f27c6.jpg
http://farm1.static.flickr.com/57/197711045_42f4198274.jpg
http://farm2.static.flickr.com/1381/1023647837_117ccd2fcf.jpg
http://farm1.static.flickr.com/31/91356392_421be014db.jpg
http://farm1.static.flickr.com/33/65858172_afdfcf49e2.jpg
http://farm1.static.flickr.com/188/364215385_a9a9e2303b.jpg
http://farm3.static.flickr.com/2126/2058609077_d8465413ed.jpg
http://farm1.static.flickr.com/30/64800619_c9065140a1.jpg
http://farm1.static.flickr.com/23/29854211_7b133baf41.jpg
http://farm1.static.flickr.com/32/58907716_52b14ef16c.jpg
http://farm1.static.flickr.com/32/45728117_a5d54bae75.jpg
http://farm3.static.flickr.com/2045/2052098087_6b20ea878c.jpg
http://farm2.static.flickr.com/1008/1052656321_8bfda99b46.jpg
http://farm1.static.flickr.com/43/85566932_7050ba42e8.jpg
http://farm2.static.flickr.com/1272/1158981123_8223858c2e.jpg
http://farm1.static.flickr.com/27/96239450_163d7ac3db.jpg
http://farm3.static.flickr.com/2117/2103668357_fc95c9fdaf.jpg
http://blogimages.seniorennet.be/jules/956-82242b69711cad7a1d7c0ac1a7e2b1a3.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/42/81476170_ec6f135c9a.jpg
http://www.sp.nl/nieuws/tribune/200012/intrview.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/72/178933269_73536e232e.jpg
http://farm1.static.flickr.com/33/61172285_2883e83abb.jpg
http://farm3.static.flickr.com/2210/2069269113_0d6d7b7aa6.jpg
http://farm2.static.flickr.com/1380/882805658_b9137e4fce.jpg
http://farm1.static.flickr.com/22/27980015_5cffc8a23b.jpg
http://farm1.static.flickr.com/42/84226634_2c96cf12eb.jpg
http://farm1.static.flickr.com/43/84302504_7e3fe7999f.jpg
http://farm1.static.flickr.com/173/429243821_b7592bd694.jpg
http://farm2.static.flickr.com/1315/1208945021_089082faf3.jpg
http://farm2.static.flickr.com/1025/552430301_f34580661e.jpg
http://farm1.static.flickr.com/40/102547310_c3666ad3bc.jpg
http://farm1.static.flickr.com/34/73832061_d316f3534f.jpg
http://farm3.static.flickr.com/2181/2069207983_34102164b2.jpg
http://farm1.static.flickr.com/117/364218843_b6c7a54cee.jpg
http://farm3.static.flickr.com/2253/2155839184_8cd5e0fb34.jpg
http://farm1.static.flickr.com/38/83280300_bc447764b9.jpg
http://farm2.static.flickr.com/1386/1332722157_0f03ae765c.jpg
http://farm2.static.flickr.com/1319/1052513481_ee0c563d2a.jpg
http://farm1.static.flickr.com/139/320351372_cd1363bc9f.jpg
http://farm2.static.flickr.com/1407/1291546935_2f5f2f2f4d.jpg
http://farm1.static.flickr.com/21/27977151_ccb60b192a.jpg
http://farm3.static.flickr.com/2103/2052806550_6438d407ee.jpg
http://farm3.static.flickr.com/2278/2052114091_dedb0a066a.jpg
http://farm3.static.flickr.com/2101/1549546944_c9564421b1.jpg
http://farm2.static.flickr.com/1042/1373207736_f3de1f41f0.jpg
http://farm1.static.flickr.com/33/56318244_a657cfafc2.jpg
http://farm3.static.flickr.com/2290/2067110577_a568f12407.jpg
http://farm2.static.flickr.com/1421/1476051052_b3a4433053.jpg
http://farm1.static.flickr.com/44/113798862_5c46fcd7f1.jpg
http://farm3.static.flickr.com/2194/2052809464_064830968f.jpg
http://farm1.static.flickr.com/44/141891835_8ce1009422.jpg
http://farm2.static.flickr.com/1109/1083333307_6144c99766.jpg
http://farm1.static.flickr.com/42/87387443_0cd7ec642e.jpg
http://farm3.static.flickr.com/2360/2073314508_98e621c88c.jpg
http://farm1.static.flickr.com/40/81488730_c362f942f2.jpg
http://farm1.static.flickr.com/40/86240728_bb1c2a95d6.jpg
http://farm1.static.flickr.com/237/451018828_2178613f98.jpg
http://farm1.static.flickr.com/24/48772445_b6b26c4a80.jpg
http://81.173.100.43/images/uplimages/pu_melchiotoranje1.jpg
<urlopen error [Errno 60] Operation timed out>
http://farm3.static.flickr.com/2290/2052197863_90f278563f.jpg
http://farm3.static.flickr.com/2281/2069314663_654cfdc631.jpg
http://farm1.static.flickr.com/41/81489160_c318ea25ed.jpg
http://farm1.static.flickr.com/120/300198979_5c5d5bbc2b.jpg
http://farm2.static.flickr.com/1388/1052683147_1b8fa2ee93.jpg
http://farm3.static.flickr.com/2247/1497521486_e5a1a47f4b.jpg
http://farm1.static.flickr.com/24/61403285_358b916e66.jpg
http://farm3.static.flickr.com/2326/1683901244_2a7fd8d98c.jpg
http://farm1.static.flickr.com/46/132330657_dc80a8e6b3.jpg
http://farm1.static.flickr.com/231/485789168_5338c2e2a5.jpg
http://farm1.static.flickr.com/23/27973123_6ab27ae3c0.jpg
http://farm1.static.flickr.com/204/492840001_2a47c6c2a9.jpg
http://www.ad.nl/multimedia/archive/00083/Bruin_83241h.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/40/82477629_917547181b.jpg
http://farm1.static.flickr.com/15/18834134_ffc5fa21ad.jpg
http://farm2.static.flickr.com/1190/1475279421_5b2eec20d5.jpg
http://www.ais-dhaka.net/IT/digital/llarson/images/man.jpg
HTTP Error 403: Forbidden
http://farm2.static.flickr.com/1093/922984028_8264165078.jpg
http://farm1.static.flickr.com/18/71062393_0c6f5bb84a.jpg
http://farm3.static.flickr.com/2344/2155031589_69b05c4889.jpg
http://farm2.static.flickr.com/1275/1362653183_805a7bccbd.jpg
http://farm1.static.flickr.com/54/112138874_b864c8c81e.jpg
http://farm1.static.flickr.com/159/348272697_832ce65324.jpg
http://farm3.static.flickr.com/2048/1571882135_3d5374aa04.jpg
http://farm2.static.flickr.com/1404/1053455754_84eff7fc1c.jpg
http://farm1.static.flickr.com/128/410632878_9ab840b7af.jpg
http://farm3.static.flickr.com/2311/2061786427_a3d1187639.jpg
http://farm3.static.flickr.com/2189/1528785260_9d3bfb9a0d.jpg
http://farm1.static.flickr.com/40/84774922_5f1fe828fa.jpg
http://farm1.static.flickr.com/33/89916062_3d29bc78ce.jpg
http://farm1.static.flickr.com/28/61465830_b8f6532d51.jpg
http://farm1.static.flickr.com/102/293818816_46fedb3c59.jpg
http://farm1.static.flickr.com/120/277074103_5b33293da8.jpg
http://www.elsevier.nl/artimg/200704/balkenende.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1149/922123127_361e23b7a0.jpg
http://www.humans.com/pages/images/greg.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/12/17626319_ef0d4f4088.jpg
http://farm2.static.flickr.com/1252/1475030389_b1c179d7d9.jpg
http://farm3.static.flickr.com/2056/2070057790_b269c430fe.jpg
http://farm2.static.flickr.com/1338/1216783842_892e2a8bbd.jpg
http://farm1.static.flickr.com/42/82112878_102820cf82.jpg
http://farm1.static.flickr.com/29/48774275_236c7cc124.jpg
http://farm1.static.flickr.com/49/128669539_855a15ee12.jpg
http://farm1.static.flickr.com/11/12601760_597bffd26d.jpg
http://farm1.static.flickr.com/28/42205124_d58233ad79.jpg
http://farm3.static.flickr.com/2210/2070041698_21c70af53b.jpg
http://farm3.static.flickr.com/2053/2058586323_60ba19c859.jpg
http://www.elsevier.nl/artimg/200703/tommyhilfiger2.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1044/1053401824_4a14a2b26d.jpg
http://farm3.static.flickr.com/2372/2052021603_9da88a078b.jpg
http://farm1.static.flickr.com/33/52318347_d926f5c0d7.jpg
http://farm3.static.flickr.com/2182/2238131328_fec860057f.jpg
http://farm1.static.flickr.com/73/169456309_15a7195205.jpg
http://farm2.static.flickr.com/1326/1053115402_ce6999b62a.jpg
http://farm2.static.flickr.com/1034/813668895_f6d7d6ca44.jpg
http://farm1.static.flickr.com/156/378229180_a828879e60.jpg
http://farm3.static.flickr.com/2401/1796353585_98f8a8772e.jpg
http://farm1.static.flickr.com/75/188370333_0de12d1aca.jpg
http://farm1.static.flickr.com/49/129991133_ef3b8071d8.jpg
http://farm1.static.flickr.com/76/169457607_9e8b04f214.jpg
http://farm1.static.flickr.com/48/135014734_5ddd212467.jpg
http://farm1.static.flickr.com/97/217553454_222d905603.jpg
http://farm3.static.flickr.com/2059/1548708971_e2079aa991.jpg
http://farm1.static.flickr.com/40/86345562_24b05a3f81.jpg
http://farm2.static.flickr.com/1260/693653278_0cc2961008.jpg
http://farm1.static.flickr.com/115/267943753_13874f3df3.jpg
http://farm1.static.flickr.com/29/67835195_91a912fc40.jpg
http://farm1.static.flickr.com/72/195014161_ca9cebfc7f.jpg
http://farm2.static.flickr.com/1159/1475917468_e5dbaa5f68.jpg
http://images.vpro.nl/img.db?28549877+s(150)
<urlopen error [Errno 60] Operation timed out>
http://farm3.static.flickr.com/2008/1730183258_4df04496d5.jpg
http://farm1.static.flickr.com/165/438169876_4f1e8f8481.jpg
http://farm1.static.flickr.com/59/209560433_3a2798c8a3.jpg
http://farm1.static.flickr.com/48/194198968_dc43380c0b.jpg
http://farm1.static.flickr.com/29/126902624_abbb4c5e4f.jpg
http://farm1.static.flickr.com/185/414607954_10e41aacec.jpg
http://farm1.static.flickr.com/54/141180013_8117cc2169.jpg
http://farm1.static.flickr.com/30/48769031_a8928ddf81.jpg
http://www.meesterpianisten.nl/images/nieuws/2007-10-05_Jean-Yves-Thibaudet.jpg
http://farm2.static.flickr.com/1037/1052251883_76379e3bb4.jpg
http://farm3.static.flickr.com/2015/2131766741_8a270f5b49.jpg
http://farm1.static.flickr.com/175/441530777_3bae90e1cb.jpg
http://farm2.static.flickr.com/1071/1053090234_c7d384ba20.jpg
http://farm1.static.flickr.com/22/29861967_33decc67c9.jpg
http://farm1.static.flickr.com/15/18842560_4870a7f003.jpg
http://farm1.static.flickr.com/212/447667144_518fd43fb2.jpg
http://farm2.static.flickr.com/1088/1053443208_b9d85645e5.jpg
http://farm2.static.flickr.com/1025/1083471779_0e2f212f72.jpg
http://farm1.static.flickr.com/44/188104564_0ec32200f9.jpg
http://farm2.static.flickr.com/1417/808332484_5484d67a46.jpg
http://farm2.static.flickr.com/1059/1396287769_f75b45ccdb.jpg
http://farm1.static.flickr.com/24/56835447_0b1bdb1a6f.jpg
http://farm1.static.flickr.com/95/267957795_0dc54e5ac7.jpg
http://farm1.static.flickr.com/13/90228537_d37f42599e.jpg
http://farm1.static.flickr.com/55/150384399_0398cd4aa1.jpg
http://farm1.static.flickr.com/14/17622587_44f3405c47.jpg
http://farm1.static.flickr.com/215/463367440_fed1364ac8.jpg
http://farm1.static.flickr.com/63/178887869_aa0a403037.jpg
http://www.volkskrantblog.nl/pub/mm/2007/01/1167727436.1612.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/95/253130662_8bbdcd33e3.jpg
http://farm1.static.flickr.com/107/267943758_bd78f676c0.jpg
http://farm1.static.flickr.com/31/40435320_5019fe3263.jpg
http://farm1.static.flickr.com/20/68863960_f18b67ba96.jpg
http://farm2.static.flickr.com/1116/1476178830_9710aefb19.jpg
http://farm3.static.flickr.com/2071/2178863119_e1bfefffa4.jpg
http://irisvermeeren.web-log.nl/irisvermeeren/images/imgp2580_1.JPG
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/34/122764508_8d4c5d1c79.jpg
http://www.cubra.nl/hanshoenjet/thportret.jpg
http://farm2.static.flickr.com/1241/923407454_363bfa6f5d.jpg
http://farm1.static.flickr.com/37/113258635_7c03e43129.jpg
http://farm1.static.flickr.com/52/118614243_dbb6bbd91e.jpg
http://farm1.static.flickr.com/21/27332881_d81ffdc20f.jpg
http://farm1.static.flickr.com/23/34787007_c1d9372c75.jpg
http://farm1.static.flickr.com/153/427356678_674b9bf3a3.jpg
http://farm1.static.flickr.com/30/48915784_fef1ec349e.jpg
http://farm1.static.flickr.com/54/186690042_f1ef44411a.jpg
http://farm2.static.flickr.com/1426/1474905325_b153bd7458.jpg
http://farm3.static.flickr.com/2288/1528795210_69dfbb6895.jpg
http://farm1.static.flickr.com/42/253133501_f6d6d6de7a.jpg
http://farm1.static.flickr.com/13/18384248_bf283d0745.jpg
http://farm3.static.flickr.com/2278/2052065103_c719e648f6.jpg
http://farm1.static.flickr.com/45/169429634_1968838b29.jpg
http://www2.kro.nl/routedusoleil/riga/riga.jpg
<urlopen error [Errno 51] Network is unreachable>
http://farm1.static.flickr.com/52/152994652_cb5195b160.jpg
http://farm1.static.flickr.com/22/29861966_9abcce0d37.jpg
http://farm1.static.flickr.com/43/82112879_1e320abf31.jpg
http://farm2.static.flickr.com/1399/922303101_72a740eed3.jpg
http://farm1.static.flickr.com/41/86342708_063b2dedf6.jpg
http://farm2.static.flickr.com/1340/699332892_3ffde14c38.jpg
http://farm3.static.flickr.com/2169/2137493406_367ffe8661.jpg
http://farm1.static.flickr.com/23/27977543_b6b9af6ef1.jpg
http://farm1.static.flickr.com/99/288224653_adc47cc3af.jpg
http://ccinsider.comedycentral.com/photos/uncategorized/2007/06/15/cera.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1070/1053316502_113b1b864c.jpg
http://farm2.static.flickr.com/1103/1052220281_1e583c3110.jpg
http://farm3.static.flickr.com/2076/2070118008_f49a268652.jpg
http://farm3.static.flickr.com/2134/1551189673_05b689ee1f.jpg
http://farm2.static.flickr.com/1307/922124729_74a96d0a79.jpg
http://farm1.static.flickr.com/37/82824936_cd0805a54e.jpg
http://farm1.static.flickr.com/32/55071560_845f4dc0de.jpg
http://farm1.static.flickr.com/21/27636437_7491033160.jpg
http://farm3.static.flickr.com/2172/2059372956_16756a64a3.jpg
http://farm2.static.flickr.com/1053/1159023035_69e2c38638.jpg
http://farm1.static.flickr.com/35/91893304_23daf6a570.jpg
http://farm1.static.flickr.com/26/36740811_e9b361a4cc.jpg
http://humanitiesinstitute.buffalo.edu/images/beah.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/15/18833784_6e90bbfd26.jpg
http://farm2.static.flickr.com/1117/1338608734_5dec1e4cf1.jpg
http://farm1.static.flickr.com/67/202489764_a8c57543bb.jpg
http://farm1.static.flickr.com/14/17479345_da607ca5ae.jpg
http://farm3.static.flickr.com/2101/2178860257_4a7369dd7d.jpg
http://farm1.static.flickr.com/68/197706553_149b8e663a.jpg
http://farm3.static.flickr.com/2289/2179638208_edec739ac9.jpg
http://farm1.static.flickr.com/153/344200822_b50a51857e.jpg
http://farm1.static.flickr.com/53/155001159_7a8fa1f1e7.jpg
http://farm1.static.flickr.com/31/35505199_1e665cb8e8.jpg
http://farm1.static.flickr.com/1/2876831_b1b9d827c3.jpg
http://farm3.static.flickr.com/2409/2069249947_3878716487.jpg
http://farm2.static.flickr.com/1213/765342490_d3e099ce59.jpg
http://farm1.static.flickr.com/187/435585186_3f47a6b6aa.jpg
http://farm1.static.flickr.com/113/253125609_f7368a9112.jpg
http://farm2.static.flickr.com/1237/922973860_48f72bfac9.jpg
http://farm1.static.flickr.com/178/472812725_9e48e5a38d.jpg
http://farm1.static.flickr.com/104/301277438_409235ea91.jpg
http://farm1.static.flickr.com/60/169473952_d20b15a1f3.jpg
http://farm1.static.flickr.com/37/118650908_20ab1d6d48.jpg
http://farm1.static.flickr.com/175/430397553_099237ecb5.jpg
http://farm1.static.flickr.com/99/312112858_dbe72e2a36.jpg
http://farm3.static.flickr.com/2174/2105624668_2dd87c140b.jpg
http://farm2.static.flickr.com/1340/1052651357_d8e5d0fac1.jpg
http://farm3.static.flickr.com/2177/2052043129_f2ad272819.jpg
http://farm1.static.flickr.com/40/87370778_7b8f051ac4.jpg
http://farm1.static.flickr.com/12/17622894_c1ba8feba5.jpg
http://farm1.static.flickr.com/150/363424634_c2c9eb88c0.jpg
http://farm1.static.flickr.com/54/131991812_ac735ed40c.jpg
http://farm1.static.flickr.com/9/13124072_7ecc43d05b.jpg
http://farm1.static.flickr.com/13/19170133_ac4ac86dcc.jpg
http://farm1.static.flickr.com/19/111215853_0882a17a53.jpg
http://farm2.static.flickr.com/1436/1053412784_dc3510e445.jpg
http://farm1.static.flickr.com/12/18856987_1d0070454f.jpg
http://farm2.static.flickr.com/1256/1475988038_50b266331a.jpg
http://farm1.static.flickr.com/30/98520409_28d8c0206c.jpg
http://farm3.static.flickr.com/2355/2101875368_bd1d72a51b.jpg
http://farm1.static.flickr.com/36/122460883_b35887a040.jpg
http://farm2.static.flickr.com/1142/863960939_6cac063000.jpg
http://farm2.static.flickr.com/1249/1475022949_94ebbf745c.jpg
http://farm2.static.flickr.com/1336/1052722675_16e5c7ed1a.jpg
http://farm2.static.flickr.com/1408/1394757511_5f4c78d7f2.jpg
http://farm1.static.flickr.com/44/147218340_cdd7aefd2e.jpg
http://farm1.static.flickr.com/14/19738137_3ca10f83ee.jpg
http://farm2.static.flickr.com/1271/1338749428_87af1d305c.jpg
http://farm1.static.flickr.com/39/81464021_c7e11ddb14.jpg
http://farm2.static.flickr.com/1238/635702465_c3038a88de.jpg
http://farm2.static.flickr.com/1263/984927808_f2af81e179.jpg
http://www.windows.ucar.edu/earth/Life/images/earlobes.jpg
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/16/22132257_a9ad74ce17.jpg
http://farm1.static.flickr.com/42/82464386_7f656c4050.jpg
http://farm2.static.flickr.com/1401/784081830_57a2e29081.jpg
http://farm2.static.flickr.com/1394/1359730688_6aba92a540.jpg
http://histoforum.digischool.nl/kaap.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/43/76149338_0f188927d7.jpg
http://farm3.static.flickr.com/2193/2052948228_d6fa9a5801.jpg
http://farm1.static.flickr.com/225/507639937_ac762ae284.jpg
http://farm2.static.flickr.com/1161/864815070_2cd9358f8a.jpg
http://farm1.static.flickr.com/41/84247612_729c51531b.jpg
http://farm1.static.flickr.com/36/98639464_4100e5dd61.jpg
http://farm1.static.flickr.com/154/379668928_3d2742fa3c.jpg
http://farm1.static.flickr.com/21/36740816_248e93c81a.jpg
http://farm3.static.flickr.com/2390/2070061262_2ac5a8efa2.jpg
http://farm1.static.flickr.com/56/176576571_110d8cf0b1.jpg
http://farm1.static.flickr.com/83/218429169_79d478ad03.jpg
http://farm3.static.flickr.com/2139/2059381470_122d3fd624.jpg
http://farm1.static.flickr.com/26/61172280_57bf3f1c78.jpg
http://farm2.static.flickr.com/1020/1053075132_f7c17ef788.jpg
http://farm2.static.flickr.com/1261/1083317937_a14b7f344d.jpg
http://farm3.static.flickr.com/2179/2139036622_51d6949c6a.jpg
http://farm1.static.flickr.com/49/145576641_05910ec43a.jpg
http://farm3.static.flickr.com/2034/2052794686_bbd8c010d9.jpg
http://farm2.static.flickr.com/1389/768592711_5cea50a378.jpg
http://farm2.static.flickr.com/1208/1476237656_a629e22a5b.jpg
http://farm2.static.flickr.com/1411/1084246230_e240693d4c.jpg
http://farm3.static.flickr.com/2205/2099582180_bfefdff168.jpg
http://farm1.static.flickr.com/27/45865938_d356a9b8c1.jpg
http://farm1.static.flickr.com/66/190402899_72983a4f2e.jpg
http://farm1.static.flickr.com/61/196920660_e96fab1788.jpg
http://farm2.static.flickr.com/1148/1053284776_4a4ed10257.jpg
http://farm1.static.flickr.com/120/259704330_eca43ea3a1.jpg
http://farm1.static.flickr.com/24/40435322_7b0807c2e8.jpg
http://farm1.static.flickr.com/1/122459844_e5c9e54787.jpg
http://farm3.static.flickr.com/2288/2052085091_cf4bb48d4a.jpg
http://farm1.static.flickr.com/90/241469056_352f8b07fe.jpg
http://farm3.static.flickr.com/2408/2058595107_e9464f633f.jpg
http://farm3.static.flickr.com/2168/1548680747_1b0a2c5f45.jpg
http://farm1.static.flickr.com/41/82469406_6f412911de.jpg
http://farm1.static.flickr.com/64/198075375_70f0b4dd41.jpg
http://farm3.static.flickr.com/2369/2052008401_0ff8b23604.jpg
http://farm1.static.flickr.com/23/27975747_c9c7407c90.jpg
http://farm1.static.flickr.com/89/235540085_b50228e385.jpg
http://awt657.clients.asgard.net/boutmans/images/free_the_5_clark1.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1388/534198148_9ed9d2435d.jpg
http://farm2.static.flickr.com/1177/1474987787_73009fd145.jpg
http://farm3.static.flickr.com/2308/1551194293_6bab7dcbef.jpg
http://farm1.static.flickr.com/162/426105840_902e2f147b.jpg
http://farm1.static.flickr.com/54/135283723_7e8edef500.jpg
http://farm1.static.flickr.com/69/197208254_f9c663d759.jpg
http://farm1.static.flickr.com/15/18861164_ef103db2c0.jpg
http://farm3.static.flickr.com/2037/2069221925_54529a0919.jpg
http://farm1.static.flickr.com/43/91357251_4cf76a42f5.jpg
http://farm1.static.flickr.com/38/82421886_23ae315fb3.jpg
http://farm2.static.flickr.com/1042/1476081478_40444ca127.jpg
http://farm1.static.flickr.com/19/90562545_cf0ccce1bd.jpg
http://farm1.static.flickr.com/227/514055114_a4ecba2e1e.jpg
http://farm2.static.flickr.com/1015/895236428_6ec222941b.jpg
http://www.cubra.nl/fotografierubriek/janjosephstok/brab7.jpg
http://farm1.static.flickr.com/55/112162042_dbd1f2ba9e.jpg
http://farm1.static.flickr.com/33/57213002_c260f70ff8.jpg
http://farm3.static.flickr.com/2118/2178847309_32108f3bb4.jpg
http://www.bobvandenbos.nl/voorpagina.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/75/153107110_a1c1d76d51.jpg
http://farm1.static.flickr.com/53/116340799_2a5044bf95.jpg
http://farm1.static.flickr.com/69/169475160_4f647f9cb2.jpg
http://farm1.static.flickr.com/42/121717538_e53c2ab8b0.jpg
http://www.landgoed-eelink.nl/images1/eelink/images/winkelen_ww_duif.jpg
HTTP Error 404: Not Found
http://www.ldmstudios.com/images/man.jpg
http://farm3.static.flickr.com/2080/2052989340_557732501c.jpg
http://farm1.static.flickr.com/85/259691733_c25fb5c4b7.jpg
http://farm1.static.flickr.com/43/98550112_1ba1ee2b53.jpg
http://farm2.static.flickr.com/1101/1263651328_a38fcda3d6.jpg
http://farm3.static.flickr.com/2117/2059398808_460613799d.jpg
http://farm1.static.flickr.com/214/506206200_63f24d1efe.jpg
http://farm3.static.flickr.com/2033/1809484645_b4f6bda4dd.jpg
http://farm1.static.flickr.com/105/303364607_e91396d258.jpg
http://farm1.static.flickr.com/29/39959247_ee6f2d37f2.jpg
http://farm1.static.flickr.com/41/120820890_d0d97d095e.jpg
http://farm1.static.flickr.com/57/169480626_19178cfdc7.jpg
http://farm3.static.flickr.com/2018/2052822072_4b4305d295.jpg
http://farm2.static.flickr.com/1353/1475286497_01701a8112.jpg
http://farm3.static.flickr.com/2156/1704645394_a2feac1866.jpg
http://farm3.static.flickr.com/2047/1528830724_f5dc087570.jpg
http://farm1.static.flickr.com/206/535901564_dd22b1e4ce.jpg
http://farm1.static.flickr.com/50/127887940_9760ff8b27.jpg
http://farm1.static.flickr.com/169/403925310_3d5e844793.jpg
http://interval0.rendered.startpda.net/4900001-4950000/4922154_75_75_2Qs9.jpeg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2361/1528976370_d33761d367.jpg
http://farm1.static.flickr.com/67/195012720_121c09b147.jpg
http://static.flickr.com/41/87372390_05027c666c.jpg
http://farm1.static.flickr.com/37/81428270_38b2a90101.jpg
http://farm3.static.flickr.com/2303/2052947414_77bcbbef71.jpg
http://farm3.static.flickr.com/2265/1548680585_0b95a9b75b.jpg
http://www.cultuurpodium.nl/images/jeroenp.jpg
http://farm3.static.flickr.com/2223/1576825644_eae95f1c9d.jpg
http://static.flickr.com/41/120096299_94ecde6c9f.jpg
http://farm3.static.flickr.com/2339/2052084975_db659df510.jpg
http://farm3.static.flickr.com/2084/2155061705_ef00ba5da1.jpg
http://farm1.static.flickr.com/41/105114182_219385f4a5.jpg
http://www.ad.nl/multimedia/archive/00128/MiYu_128712h.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/34/95251242_7cb03e7a94.jpg
http://farm2.static.flickr.com/1254/1475877654_e4afe831a3.jpg
http://farm1.static.flickr.com/28/48769028_501e5b970f.jpg
http://farm3.static.flickr.com/2290/2052005557_dfb17e31c2.jpg
http://farm2.static.flickr.com/1337/1053501116_f4ac58c410.jpg
http://farm1.static.flickr.com/48/169470044_f15df1e9c6.jpg
http://farm2.static.flickr.com/1008/1084273776_79e8e57217.jpg
http://farm1.static.flickr.com/30/61403281_af06e97cf1.jpg
http://farm2.static.flickr.com/1021/1053150910_0732a33ab0.jpg
http://www.theosophical.org/publications/questmagazine/julyaugust03/ravindra/raviphoto.jpg
HTTP Error 500: Internal Server Error
http://farm2.static.flickr.com/1390/965106202_5980a70a28.jpg
http://farm3.static.flickr.com/2199/2052797556_a66b4a7b6f.jpg
http://farm1.static.flickr.com/5/10709348_c90cb26a79.jpg
http://farm1.static.flickr.com/58/213848537_cd79040b9a.jpg
http://farm2.static.flickr.com/1295/1052442181_9624c72182.jpg
http://farm1.static.flickr.com/22/27975744_c1744b6549.jpg
http://farm1.static.flickr.com/19/96613092_619cc7692c.jpg
http://farm1.static.flickr.com/93/246397790_9afb7001d7.jpg
http://farm3.static.flickr.com/2285/2140702018_9c50f39cf6.jpg
http://farm1.static.flickr.com/13/90834921_8d504ce2f4.jpg
http://farm2.static.flickr.com/1238/1053265642_fc00cab0dd.jpg
http://farm2.static.flickr.com/1404/1475954794_f51059d734.jpg
http://farm1.static.flickr.com/35/73831007_26886fa7fa.jpg
http://farm3.static.flickr.com/2180/2051756357_5fcfc4d67e.jpg
http://farm1.static.flickr.com/92/242234989_04e97db63f.jpg
http://farm1.static.flickr.com/44/194067467_2229a07d7d.jpg
http://farm1.static.flickr.com/40/81464161_e34782e77b.jpg
http://farm3.static.flickr.com/2023/2052792762_27655fc40e.jpg
http://farm1.static.flickr.com/51/174524125_26ab62b9fe.jpg
http://farm1.static.flickr.com/33/67847341_de6cf57472.jpg
http://farm1.static.flickr.com/145/355149755_5ba2a2993e.jpg
http://farm3.static.flickr.com/2003/2215755851_e3a492b817.jpg
http://farm1.static.flickr.com/164/348355700_49b2746b8c.jpg
http://farm3.static.flickr.com/2407/2230145469_eb0fc51f7d.jpg
http://farm3.static.flickr.com/2406/2070070962_d5913b2709.jpg
http://farm1.static.flickr.com/40/98563538_2e7a019689.jpg
http://farm3.static.flickr.com/2011/2052006833_94ebdf88f0.jpg
http://farm1.static.flickr.com/185/435610217_4364a07cac.jpg
http://farm2.static.flickr.com/1136/762658473_d49ac5c8c7.jpg
http://farm3.static.flickr.com/2333/2132636242_ac1bc2b4e5.jpg
http://farm1.static.flickr.com/25/55071559_45cb9632ba.jpg
http://farm2.static.flickr.com/1052/1053224788_8a038d3b2d.jpg
http://farm2.static.flickr.com/1149/768595017_9a386725e9.jpg
http://farm3.static.flickr.com/2309/2111372461_a64e07a877.jpg
http://www.volkskrantblog.nl/pub/mm/2006/01/1137092551.4675.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/226/518326142_86c2da0ebb.jpg
http://farm1.static.flickr.com/40/94845379_3b9f04699e.jpg
http://farm2.static.flickr.com/1094/935013092_de9ccdfcee.jpg
http://farm1.static.flickr.com/21/27794933_f107a0375f.jpg
http://farm1.static.flickr.com/229/496873205_94adcc70d2.jpg
http://farm2.static.flickr.com/1044/1053603650_855367334d.jpg
http://farm1.static.flickr.com/93/235906168_306991ec6c.jpg
http://farm1.static.flickr.com/68/158189968_b2d3ff5895.jpg
http://farm1.static.flickr.com/29/65592478_a5155b4bcb.jpg
http://farm2.static.flickr.com/1291/1050615426_d257b91a1c.jpg
http://farm2.static.flickr.com/1430/1475211637_a33e9ab20f.jpg
http://farm1.static.flickr.com/166/400648917_8cbb6f7c24.jpg
http://farm2.static.flickr.com/1388/763521760_2ed1d80c96.jpg
http://farm3.static.flickr.com/2142/2212215830_7fcf064bc5.jpg
http://farm1.static.flickr.com/14/17621502_40a47fc726.jpg
http://farm3.static.flickr.com/2147/2052797994_db700a4913.jpg
http://farm1.static.flickr.com/45/261146976_179ebcf1cf.jpg
http://farm1.static.flickr.com/13/17625167_486b5cb4ca.jpg
http://farm1.static.flickr.com/25/65585624_ff398f63f2.jpg
http://farm3.static.flickr.com/2401/2052795084_85dc17abd2.jpg
http://farm1.static.flickr.com/37/84248528_357f80ffce.jpg
http://farm2.static.flickr.com/1322/1475074037_104398e204.jpg
http://farm2.static.flickr.com/1184/1392887337_121bce13ba.jpg
http://farm1.static.flickr.com/45/151857862_06d2a66bed.jpg
http://farm1.static.flickr.com/41/84762900_fb192ee17a.jpg
http://farm1.static.flickr.com/72/211533412_2d0b222cef.jpg
http://farm3.static.flickr.com/2325/1549554214_d238a8d76a.jpg
http://farm1.static.flickr.com/11/17479227_a170f197c2.jpg
http://farm2.static.flickr.com/1241/1422513587_9c39dfaaa2.jpg
http://farm3.static.flickr.com/2263/1685822313_f323653936.jpg
http://farm2.static.flickr.com/1325/1476115408_bd901ee045.jpg
http://farm1.static.flickr.com/38/81428188_e1552c8ad8.jpg
http://farm3.static.flickr.com/2373/2069267589_931cc8d86d.jpg
http://farm3.static.flickr.com/2102/2105624344_d87a5a2b85.jpg
http://farm1.static.flickr.com/44/112145422_1b866a964d.jpg
http://farm1.static.flickr.com/15/18832724_70470e1238.jpg
http://farm2.static.flickr.com/1196/1052452415_80506756b4.jpg
http://farm1.static.flickr.com/39/102967883_a0c306bd98.jpg
http://farm2.static.flickr.com/1187/1422569543_31035d50ca.jpg
http://farm1.static.flickr.com/24/67835196_08dd9f57cd.jpg
http://farm2.static.flickr.com/1228/1476008970_af1018ccb0.jpg
http://farm2.static.flickr.com/1389/1476136064_5cc0a521e2.jpg
http://farm1.static.flickr.com/156/335463126_969e599ecb.jpg
http://farm2.static.flickr.com/1320/1053093114_764a69a7fc.jpg
http://farm1.static.flickr.com/43/85535061_0c205b7ad0.jpg
http://farm2.static.flickr.com/1044/1052455173_4fe5add7ef.jpg
http://farm2.static.flickr.com/1294/1060391097_c44ccb8842.jpg
http://farm1.static.flickr.com/35/89168392_4239b8ed02.jpg
http://farm3.static.flickr.com/2172/2062581456_44eb28e785.jpg
http://farm2.static.flickr.com/1215/540993968_229df41530.jpg
http://farm2.static.flickr.com/1373/1053321694_394d31715e.jpg
http://farm1.static.flickr.com/18/69578619_7f2de48c6f.jpg
http://farm1.static.flickr.com/44/117045860_1759055e92.jpg
http://farm1.static.flickr.com/54/133781403_d1b9cdfea4.jpg
http://farm2.static.flickr.com/1385/548215118_0a27111b43.jpg
http://farm1.static.flickr.com/99/303248751_3c38db4a2e.jpg
http://farm2.static.flickr.com/1345/1474900025_a1cb236ace.jpg
http://farm3.static.flickr.com/2372/1798029953_e0d39dd0f5.jpg
http://farm1.static.flickr.com/48/129990873_2a2016a5d3.jpg
http://farm1.static.flickr.com/44/161765073_d5dac48e95.jpg
http://farm3.static.flickr.com/2188/2069303923_b5f9db93c1.jpg
http://farm3.static.flickr.com/2009/2052167427_18158f3a95.jpg
http://farm1.static.flickr.com/72/157343988_3e7a4f97c5.jpg
http://farm1.static.flickr.com/26/40430499_b59467f843.jpg
http://farm1.static.flickr.com/139/378229175_54fa0be6c1.jpg
http://farm1.static.flickr.com/181/435023152_b36d2e110c.jpg
http://farm3.static.flickr.com/2154/1549556712_87260640a8.jpg
http://farm3.static.flickr.com/2117/2140761520_b0e72f30d1.jpg
http://cms.dederdekamer.org/upload/Installatie_kamerleden/2004_Kamerleden.jpg
'NoneType' object has no attribute 'shape'
http://farm3.static.flickr.com/2235/2070096640_239c6e00e3.jpg
http://farm3.static.flickr.com/2004/1548736375_756083ca7f.jpg
http://farm1.static.flickr.com/1/128669540_cc7a9d6304.jpg
http://farm1.static.flickr.com/33/43426080_3b79d2438c.jpg
http://farm1.static.flickr.com/74/196922527_7dbcfc5abb.jpg
http://farm2.static.flickr.com/1152/922106639_9bf47384bc.jpg
http://farm1.static.flickr.com/207/498156029_f1cd802e91.jpg
http://farm1.static.flickr.com/24/48772442_263c49f236.jpg
http://farm1.static.flickr.com/28/91356961_eb7e7366d0.jpg
http://farm1.static.flickr.com/39/84766756_ba1cebf284.jpg
http://farm2.static.flickr.com/1053/769462836_209fc80feb.jpg
http://farm1.static.flickr.com/62/167907242_40315e24d9.jpg
http://farm1.static.flickr.com/33/42886709_cc1880aacd.jpg
http://farm3.static.flickr.com/2338/2052945544_bb7f411774.jpg
http://farm1.static.flickr.com/6/69412953_35d6d0273f.jpg
http://farm2.static.flickr.com/1172/1052263157_5c3992e4dc.jpg
http://farm3.static.flickr.com/2100/2052012099_1b2b4ba7c6.jpg
http://www1.fctv.ne.jp/~masala/miswrld20.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/63/195018963_75222fbddc.jpg
http://farm1.static.flickr.com/41/84245686_816fced4c2.jpg
http://farm1.static.flickr.com/39/81427936_dc601f9a06.jpg
http://farm2.static.flickr.com/1273/1052770201_97518b90c7.jpg
http://farm1.static.flickr.com/158/418543447_e3dfd02b4d.jpg
http://farm2.static.flickr.com/1199/1381531488_0f27c96972.jpg
http://farm1.static.flickr.com/199/514055426_0093f69b86.jpg
http://farm1.static.flickr.com/43/102967744_74fbbcfa33.jpg
http://farm1.static.flickr.com/38/89921054_0a23c70b0a.jpg
http://farm1.static.flickr.com/28/57078511_a7c6bf2bd5.jpg
http://farm1.static.flickr.com/41/81464088_fbf329c0f7.jpg
http://farm1.static.flickr.com/39/123797894_a51c97d806.jpg
http://farm1.static.flickr.com/45/150384400_b95180b065.jpg
http://farm1.static.flickr.com/125/410298710_1d4fcf43a9.jpg
http://www.institutneerlandais.com/images/2004_01/doelenkwartet.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/24/54220871_db48bb524e.jpg
http://farm3.static.flickr.com/2174/2052808032_cea45b1a5e.jpg
http://farm3.static.flickr.com/2171/2052197625_3330994469.jpg
http://farm2.static.flickr.com/1307/1310168782_51619b1d7a.jpg
http://farm1.static.flickr.com/67/154082182_5426f3821c.jpg
http://farm2.static.flickr.com/1286/1053347298_9235fcc0d7.jpg
http://farm1.static.flickr.com/54/146064049_f12b9bad0b.jpg
http://farm1.static.flickr.com/55/150384398_5ecd931152.jpg
http://farm2.static.flickr.com/1385/540987370_0daa6cffbf.jpg
http://farm1.static.flickr.com/25/42581526_c3bad129ff.jpg
http://farm2.static.flickr.com/1119/1475734618_632ca61d96.jpg
http://farm1.static.flickr.com/54/141145843_0d0ebc3fe1.jpg
http://farm1.static.flickr.com/26/56824719_95051eaef1.jpg
http://farm3.static.flickr.com/2235/1517678270_d3fcf773f8.jpg
http://farm1.static.flickr.com/43/123612875_ce726e4da4.jpg
http://farm1.static.flickr.com/21/27979823_61aabf42bd.jpg
http://farm1.static.flickr.com/126/330187106_5bf72b7c55.jpg
http://farm1.static.flickr.com/36/87775613_69174b59d4.jpg
http://farm1.static.flickr.com/168/458086677_3ea0bb8ac0.jpg
http://farm1.static.flickr.com/37/82460966_9b329b602a.jpg
http://farm1.static.flickr.com/39/84762284_3d456dde05.jpg
http://farm1.static.flickr.com/42/84777353_bf5ed49411.jpg
http://farm1.static.flickr.com/7/11345582_c0e054fd54.jpg
http://farm1.static.flickr.com/38/87387439_98e9f04686.jpg
http://farm1.static.flickr.com/41/84319716_15a27baa6d.jpg
http://farm3.static.flickr.com/2176/1549593646_be4dcc2da8.jpg
http://www.integratiepartij.nl/content/admin/download.asp?t=Images&id=754
HTTP Error 404: Not Found
http://farm1.static.flickr.com/73/169428557_5f223cad15.jpg
http://farm1.static.flickr.com/101/275977344_d641ee7233.jpg
http://farm1.static.flickr.com/30/48764162_549f3d09ac.jpg
http://farm3.static.flickr.com/2265/2103528351_521a74cdea.jpg
http://farm2.static.flickr.com/1353/1052633771_717d7a7920.jpg
http://farm1.static.flickr.com/112/311416406_7e557d66c9.jpg
http://farm1.static.flickr.com/14/17627531_5bba287618.jpg
http://farm1.static.flickr.com/35/122458651_a4be604612.jpg
http://images.vpro.nl/img.db?35917318+s(147)+part(0x35x174x76)+s(147x41!)
<urlopen error [Errno 60] Operation timed out>
http://farm2.static.flickr.com/1326/1190765973_61547299c1.jpg
http://farm1.static.flickr.com/9/76149336_f3650ce1fb.jpg
http://farm1.static.flickr.com/48/169449419_4a4d3d9f74.jpg
http://farm1.static.flickr.com/188/427063831_5042859ed2.jpg
http://farm1.static.flickr.com/48/137742007_d2eb835ff6.jpg
http://farm1.static.flickr.com/26/56318246_2e4c49c6cc.jpg
http://farm2.static.flickr.com/1216/1475889388_754c576081.jpg
http://farm1.static.flickr.com/31/48774278_44d4da2aac.jpg
http://farm1.static.flickr.com/187/383445313_1110faa052.jpg
http://farm3.static.flickr.com/2375/1770463892_e9771869d6.jpg
http://farm1.static.flickr.com/1/189336517_0e64acf523.jpg
http://farm1.static.flickr.com/173/444116657_4f199ca436.jpg
http://farm2.static.flickr.com/1343/1355231435_20ce6f9e19.jpg
http://farm3.static.flickr.com/2199/2058616211_9b97c75dc2.jpg
http://farm1.static.flickr.com/38/87243629_e147c104ac.jpg
http://farm1.static.flickr.com/27/56836748_efea757e03.jpg
http://farm2.static.flickr.com/1308/1303831833_93544ecf7d.jpg
http://farm3.static.flickr.com/2395/2126589401_d23111d540.jpg
http://farm1.static.flickr.com/24/61172284_8e47435317.jpg
http://farm2.static.flickr.com/1106/1053516140_1e2cf0ee1e.jpg
http://farm1.static.flickr.com/74/152994655_04f7756f61.jpg
http://farm1.static.flickr.com/34/101512223_f2f079f9e0.jpg
http://farm1.static.flickr.com/69/169443222_23c7ae0e0d.jpg
http://farm3.static.flickr.com/2334/2058591331_781911a983.jpg
http://farm1.static.flickr.com/51/144801677_f5dcf68764.jpg
http://farm1.static.flickr.com/32/48762354_6e1c8428c3.jpg
http://farm3.static.flickr.com/2152/2055944670_4769ae1ee6.jpg
http://farm2.static.flickr.com/1024/1083484855_e7df6e970b.jpg
http://farm1.static.flickr.com/32/56813262_9c21a14ccf.jpg
http://farm3.static.flickr.com/2333/2171565237_b27740c61a.jpg
http://farm1.static.flickr.com/116/267939904_8af3b17441.jpg
http://farm1.static.flickr.com/86/233522968_396e6cf86f.jpg
http://farm1.static.flickr.com/175/396489953_ac128e039d.jpg
http://farm1.static.flickr.com/30/56893400_a07c327ae9.jpg
http://farm2.static.flickr.com/1315/1053430652_6c00f54246.jpg
http://farm1.static.flickr.com/67/157889095_3f36d0f332.jpg
http://farm2.static.flickr.com/1082/1052505221_c89c45f045.jpg
http://farm1.static.flickr.com/85/253133817_9b23f696e2.jpg
http://farm1.static.flickr.com/27/96595201_7c4694eddd.jpg
http://farm3.static.flickr.com/2201/2052065547_cc36a1ae08.jpg
http://farm1.static.flickr.com/36/83271818_df5402cf1c.jpg
http://farm3.static.flickr.com/2020/2179639798_fb7bf4b131.jpg
http://farm2.static.flickr.com/1101/1052122409_74fa5a546c.jpg
http://farm1.static.flickr.com/29/96666201_cd867279e1.jpg
http://farm1.static.flickr.com/21/28140362_11f9179a7f.jpg
http://farm1.static.flickr.com/110/259691737_65b11e5512.jpg
http://farm1.static.flickr.com/231/519443170_b577256316.jpg
http://blogsimages.skynet.be/images/003/162/141_d00263214e558c04cada53457776bbf6.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://static.mediamatic.nl/f/fttx/icon/857/622-84-84-crop-.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2271/2161241447_3507734328.jpg
http://farm2.static.flickr.com/1255/534271524_f7b7f1058d.jpg
http://farm2.static.flickr.com/1152/1052754201_5add1f01c4.jpg
http://farm2.static.flickr.com/1004/1343379930_fd39e0bd84.jpg
http://farm2.static.flickr.com/1130/1475845764_2fe865dc4b.jpg
http://farm3.static.flickr.com/2206/2183037327_c49316b818.jpg
http://farm2.static.flickr.com/1109/686308730_1a0a71d4a5.jpg
http://farm1.static.flickr.com/61/211580537_13d6338ffc.jpg
http://farm2.static.flickr.com/1142/1053100884_e84973e506.jpg
http://farm1.static.flickr.com/82/207838089_068b828b46.jpg
http://farm1.static.flickr.com/33/98563182_f28814d196.jpg
http://farm3.static.flickr.com/2294/2052983614_d7c141456c.jpg
http://farm2.static.flickr.com/1045/1053263280_f9be33f6a5.jpg
http://farm3.static.flickr.com/2203/2177107351_08785afbfe.jpg
http://server1.edge.org/documents/archive/images/gardner200.jpg-2
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2358/1536045030_e13c6bc53b.jpg
http://farm3.static.flickr.com/2003/2052794446_7d515b979c.jpg
http://www.flutterby.com/images/mfwj0000/img0027.lg.jpg
http://farm1.static.flickr.com/93/233782159_1e4d526076.jpg
http://taalschrift.org/img/pic2_ab_alleen.jpg
http://www.tombalthazar.be/images/home_03.gif
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://interval0.rendered.startpda.net/9700001-9750000/9733606_75_75_K0vn.jpeg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://lh3.google.com/_CD6iHqzNRRU/Rz1vfvx_Q4I/AAAAAAAAA2Q/CiAjYGwqg3E/s800/PB110192.JPG
HTTP Error 404: Not Found
http://archure.net/p/ArchureNaut.jpg
http://www.vrijspreker.nl/vs/media/itemthumbnails/20070228-_39976296_hamzapa_index203.jpeg
HTTP Error 404: Not Found
http://static.flickr.com/21/26202556_b7c2f2d19f.jpg
http://106.cn/cms/data/uploadfile/200603/2006033110484678.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.bepster.com/_nl/images/stories/bibi-van-der-velden.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1418/797717709_08b3cc77d2.jpg
http://60gp.ovh.net/~novacivi/blog/archives/20030225-martindevlieghere.jpg
HTTP Error 404: Not Found
http://www.ambafrance.nl/IMG/jpg/8.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/142/376573535_d718d1396f.jpg
http://farm2.static.flickr.com/1239/601830552_19cc430491.jpg
http://www.kalverpolder.nl/fotoos/kalverpolder/vrijwilligersvp.jpg
HTTP Error 503: Service Unavailable
http://lonestar.typepad.com/photos/uncategorized/eeee11.jpg
http://www.stjohns.edu/media/1/fe98dcea88514a88beb8a7cb45251cd6.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/124/353088779_930fd9520e.jpg
http://www.josephklibansky.nl/uploads/images/aboutjoseph/aboutjoseph06.jpg
HTTP Error 404: Not Found
http://www.cultuurpodium.nl/images/myloufrencken4.jpg
http://www.log-isch.nl/logisch/images/bres.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/58/190917277_55c53523fb.jpg
http://www.radio4.nl/data/media/db_images/small/28_8e3a73.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1421/1475239893_f9f9e4cb25.jpg
http://myyogaonline.com/blog/wp-content/uploads/authors/3.jpg
'NoneType' object has no attribute 'shape'
http://www.sp.nl/pictures/041017_rooie_reus_2004.jpg
HTTP Error 404: Not Found
http://www.elsevier.nl/artimg/200703/Ellian-Winter_99.jpg
HTTP Error 404: Not Found
http://www.fitclothing.com/skin1/images/adriansmith_lg.jpg
[Errno 54] Connection reset by peer
http://lh3.google.com/_3XtdQHSh_vc/RkYMjum6fkI/AAAAAAAAAnk/e8y94nqbSEw/s800/DSC_0727.JPG
http://www.letsgoactive.nl/salespodium/images/waiter_000.gif
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1242/1052210995_be02f411dc.jpg
http://farm1.static.flickr.com/177/452543548_128b27b677.jpg
http://farm1.static.flickr.com/29/42883382_1ce39529f6.jpg
http://farm1.static.flickr.com/31/40433274_60fe3e5748.jpg
http://farm1.static.flickr.com/130/415976521_21d4cd919d.jpg
http://farm2.static.flickr.com/1172/1052764773_da08bb15ed.jpg
http://lonestar.typepad.com/photos/uncategorized/robert_long_2.jpg
http://farm2.static.flickr.com/1160/1010096686_cda703730c.jpg
<urlopen error [Errno 54] Connection reset by peer>
http://farm1.static.flickr.com/73/155446744_827b80ac69.jpg
http://farm1.static.flickr.com/33/46268278_a2813424b4.jpg
http://www.czechslovakforum.be/images/avatars/8.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm1.static.flickr.com/43/85534539_c864dac449.jpg
http://farm1.static.flickr.com/43/86346896_6390c79f24.jpg
http://farm1.static.flickr.com/16/93579161_26ba666119.jpg
http://farm2.static.flickr.com/1284/863960807_ee6cb0c844.jpg
http://farm3.static.flickr.com/2345/2052007101_70396d84ee.jpg
http://farm1.static.flickr.com/35/107430022_5a762468c6.jpg
http://farm2.static.flickr.com/1030/1052989470_bcd96eb54e.jpg
http://farm1.static.flickr.com/18/23829966_dc676d8623.jpg
http://farm1.static.flickr.com/44/129130553_09189c9bf9.jpg
http://farm1.static.flickr.com/34/69436897_1ced53666b.jpg
http://farm1.static.flickr.com/158/422064230_000ce50608.jpg
http://farm2.static.flickr.com/1197/1263643084_7ebf8dbcde.jpg
http://farm1.static.flickr.com/28/55057605_74fcdc75eb.jpg
http://farm3.static.flickr.com/2303/2052020201_80e8240df6.jpg
http://farm1.static.flickr.com/44/174355418_2f8c88de41.jpg
http://www.businessinnovationinsider.com/images/2006/08/Robots%201.jpg
'NoneType' object has no attribute 'shape'
http://farm2.static.flickr.com/1198/1053031070_a68c4e33fb.jpg
http://farm1.static.flickr.com/162/348272693_77190beeb9.jpg
http://farm1.static.flickr.com/32/90562632_6e6a236826.jpg
http://farm1.static.flickr.com/85/253113565_46247e7be8.jpg
http://www.sondraray.com/images/baba1.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2142/2070090384_9c7da05556.jpg
http://farm2.static.flickr.com/1207/1475131933_915792102c.jpg
http://farm1.static.flickr.com/43/96625296_96667e850e.jpg
http://farm1.static.flickr.com/27/56942909_2273c193d6.jpg
http://farm3.static.flickr.com/2159/2052884624_4c1747b295.jpg
http://farm1.static.flickr.com/91/242794593_9d99e4f1dc.jpg
http://farm1.static.flickr.com/224/472059754_838117e767.jpg
http://farm2.static.flickr.com/1128/759515833_30b682a0ae.jpg
http://farm1.static.flickr.com/39/84776392_5b4916849c.jpg
http://farm1.static.flickr.com/33/48764154_5345d0a0fd.jpg
http://farm1.static.flickr.com/35/65435417_36687ae899.jpg
http://farm1.static.flickr.com/111/414642210_c2996c4821.jpg
http://www.institutneerlandais.com/images/2004_01/loud_clear_viktor.jpg
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/49/118649375_0a3285c1d5.jpg
http://farm2.static.flickr.com/1436/1052282041_b51eea9931.jpg
http://farm1.static.flickr.com/51/189252262_e097c68d34.jpg
http://farm2.static.flickr.com/1229/1053407406_5fd8045c90.jpg
http://farm3.static.flickr.com/2241/2052021431_17e8264ded.jpg
http://farm1.static.flickr.com/43/84321613_184cbb2b93.jpg
http://farm2.static.flickr.com/1433/1049157748_6e58fac5b5.jpg
http://farm2.static.flickr.com/1254/1092224530_f5d31b5bec.jpg
http://farm2.static.flickr.com/1294/1286180558_516c5728c2.jpg
http://farm2.static.flickr.com/1295/763524174_2e77759ceb.jpg
http://farm1.static.flickr.com/36/90562709_4e2819acab.jpg
http://farm3.static.flickr.com/2143/2179644050_af8e16958e.jpg
http://farm1.static.flickr.com/168/392586133_2d1dac046c.jpg
http://farm1.static.flickr.com/77/176394395_3b1d86f114.jpg
http://farm3.static.flickr.com/2189/2069307163_c0587ff274.jpg
http://farm1.static.flickr.com/47/147627515_c391a54d59.jpg
http://farm1.static.flickr.com/143/405260221_f72beb5df7.jpg
http://farm3.static.flickr.com/2246/2052988028_6aabf9bbc5.jpg
http://farm1.static.flickr.com/17/91337745_5594e57774.jpg
http://farm1.static.flickr.com/39/118679698_eceeb68bd1.jpg
http://farm3.static.flickr.com/2372/2061772661_f7d1093de8.jpg
http://farm1.static.flickr.com/23/27634831_92a1c3d8d7.jpg
http://farm3.static.flickr.com/2386/2070080318_1df7413626.jpg
http://farm2.static.flickr.com/1117/1052260339_ded64c6802.jpg
http://farm2.static.flickr.com/1130/1052444453_dbfbc429a7.jpg
http://farm1.static.flickr.com/15/18841399_795d00d330.jpg
http://farm1.static.flickr.com/89/271091220_00783c676a.jpg
http://www.fileunder.nl/archives/images/2006/12/sarah_bettens_klein.jpg
http://www.simonvroemen.nl/images/Vroemen_0010.jpg
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/78/209144997_b69e1edb83.jpg
http://farm1.static.flickr.com/83/248449305_beafd0b02c.jpg
http://farm1.static.flickr.com/54/113194816_9b2f45f9a1.jpg
http://farm3.static.flickr.com/2174/2209072044_53608daf11.jpg
http://farm2.static.flickr.com/1371/808334658_be9f1f3fc9.jpg
http://tibeachbums.com/img/maneatingbird.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1206/1084308260_8d84a3034c.jpg
http://farm3.static.flickr.com/2406/2178858823_5960d1a87a.jpg
http://farm3.static.flickr.com/2205/2052806992_b2892c620d.jpg
http://farm3.static.flickr.com/2407/2215755841_c27f2d123a.jpg
http://farm2.static.flickr.com/1024/1475373651_117303cd89.jpg
http://farm1.static.flickr.com/46/131666005_438975764a.jpg
http://farm2.static.flickr.com/1198/1052551459_f461ed9f8c.jpg
http://farm2.static.flickr.com/1102/1053128980_7b78b3e316.jpg
http://farm1.static.flickr.com/29/42883383_b9c53c9683.jpg
http://farm1.static.flickr.com/37/85492573_8db87d3ffa.jpg
http://farm1.static.flickr.com/95/226177380_7712f1fa7a.jpg
http://farm1.static.flickr.com/32/96613936_c773092883.jpg
http://farm3.static.flickr.com/2172/2061772525_de7a38f607.jpg
http://farm1.static.flickr.com/108/284308086_7bf0c81e20.jpg
http://farm2.static.flickr.com/1079/1475006409_fbbe72b93b.jpg
http://farm1.static.flickr.com/3/5026707_f1a8f57c4b.jpg
http://farm1.static.flickr.com/48/169450822_d4c4e5b205.jpg
http://farm1.static.flickr.com/219/514082143_4acd067443.jpg
http://farm2.static.flickr.com/1158/1475247945_ff133abe1d.jpg
http://farm2.static.flickr.com/1153/1475964022_83b8349155.jpg
http://farm3.static.flickr.com/2307/1905143404_93a1816d76.jpg
http://farm3.static.flickr.com/2020/2214221128_49e49630ca.jpg
http://farm3.static.flickr.com/2141/2059402552_606a694115.jpg
http://farm2.static.flickr.com/1121/537439939_535a46e39e.jpg
http://www.genomicart.org/images_gene/race_thum.JPEG
HTTP Error 403: Forbidden
http://farm1.static.flickr.com/51/169601237_23c6cef699.jpg
http://farm2.static.flickr.com/1204/1052529371_0cb4f1270e.jpg
http://farm1.static.flickr.com/193/440807587_c5b5eb5268.jpg
http://farm2.static.flickr.com/1206/1296148285_a8f0c8d9fc.jpg
http://farm1.static.flickr.com/31/55071562_a4320024b4.jpg
http://farm1.static.flickr.com/12/17617283_b8594f7271.jpg
http://farm2.static.flickr.com/1165/1448431616_5ba084474e.jpg
http://farm2.static.flickr.com/1325/1300938439_d8f8d4f8bc.jpg
http://farm1.static.flickr.com/58/169452127_faa029df24.jpg
http://farm3.static.flickr.com/2339/2155798972_d7893028e1.jpg
http://farm1.static.flickr.com/22/30518619_b3087614f5.jpg
http://farm2.static.flickr.com/1127/763521268_3d786d0062.jpg
http://farm1.static.flickr.com/31/61461093_5a40110f40.jpg
http://farm3.static.flickr.com/2058/1581424685_8b444e2b1f.jpg
http://farm1.static.flickr.com/40/86242055_b2611752c5.jpg
http://farm1.static.flickr.com/31/52318349_6e6b906fc1.jpg
http://farm1.static.flickr.com/52/185645366_ec88fa419e.jpg
http://farm2.static.flickr.com/1278/1053167078_ce1c87d8b3.jpg
http://farm1.static.flickr.com/101/253130494_d698bd9157.jpg
http://farm3.static.flickr.com/2239/1812054085_d3cd8e8066.jpg
http://farm1.static.flickr.com/32/65858171_cff87375ce.jpg
http://farm1.static.flickr.com/119/277075375_332b2049a7.jpg
http://farm3.static.flickr.com/2021/2229730119_c7856a1bf5.jpg
http://farm3.static.flickr.com/2128/2052203129_982b22e665.jpg
http://farm1.static.flickr.com/34/70934452_ddf105a18d.jpg
http://farm3.static.flickr.com/2286/2059372024_39bb68365d.jpg
http://farm2.static.flickr.com/1426/1052137433_7816175cf5.jpg
http://farm1.static.flickr.com/12/90956098_a1cf9b59e2.jpg
http://farm1.static.flickr.com/50/142385269_a172aaa5fe.jpg
http://farm2.static.flickr.com/1408/922090629_32efab1f9e.jpg
http://farm1.static.flickr.com/26/42895888_0225820985.jpg
http://farm3.static.flickr.com/2362/1987581639_ce8578cc42.jpg
http://www.cubra.nl/jandejong/oudemarkt.jpg
http://blomsterpotte.blogg.no/images/one_really_ugly_man_6f8_1152632721.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/31/48774277_a86b3b44b3.jpg
http://farm2.static.flickr.com/1340/1159008451_e85e9898b5.jpg
http://farm2.static.flickr.com/1263/1083462195_e20d8998f4.jpg
http://farm1.static.flickr.com/31/61115041_d497078d1e.jpg
http://farm3.static.flickr.com/2118/2069253167_b15f260ccf.jpg
http://users.skynet.be/bk330534/La%20Petite%20Pierre%20wal%20kasteel%20en%20grot.jpg
http://farm1.static.flickr.com/53/118654231_6d4a5edbd5.jpg
http://farm1.static.flickr.com/90/277137838_c60bb75f1f.jpg
http://www.usfq.edu.ec/evo/fotos_files/image001.jpg
HTTP Error 404: NOT FOUND
http://farm1.static.flickr.com/39/84300616_9b0461a1bc.jpg
http://farm1.static.flickr.com/45/141465222_9eddd23fa3.jpg
http://www.existenz.nl/images/indiracm.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/31/56830647_ca7be9caa5.jpg
http://farm1.static.flickr.com/70/169486183_515f3d537e.jpg
http://farm2.static.flickr.com/1244/1053059992_f88d26fbc4.jpg
http://www.managementpro.nl/wp-content/uploads/2007/08/putin.bmp
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2310/1548687849_3e802b6bea.jpg
http://farm1.static.flickr.com/27/97132065_6199129b04.jpg
http://farm3.static.flickr.com/2130/2052851428_f58f1d06a6.jpg
http://farm3.static.flickr.com/2357/2069280327_44fff7fc5d.jpg
http://farm2.static.flickr.com/1230/1475782800_8aa31ffed6.jpg
http://farm3.static.flickr.com/2403/1890328256_dfeaa87376.jpg
http://farm1.static.flickr.com/27/36740812_d4e3ea8771.jpg
http://www.usatfmn.org/racewalk/results/2005/2005-03-20%20images/tish%20jeanne%20gary.JPG
HTTP Error 404: Not Found
http://farm1.static.flickr.com/36/84305752_73a71c3f67.jpg
http://farm1.static.flickr.com/28/43426084_d4889f90d8.jpg
http://farm2.static.flickr.com/1243/1159835072_3ffc84537c.jpg
http://farm1.static.flickr.com/203/517463441_1e48a1ca6f.jpg
http://farm1.static.flickr.com/182/453660225_9ff598b614.jpg
http://farm3.static.flickr.com/2325/2052022045_04bc2c4934.jpg
http://farm1.static.flickr.com/36/90220110_3ed389fe05.jpg
http://static.mediamatic.nl/f/fttx/image/301/3509-195-146.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/181/467004906_5b8cbcc91f.jpg
http://farm2.static.flickr.com/1316/1052437433_d0177b0f66.jpg
http://farm2.static.flickr.com/1104/762666635_96d8e96fa0.jpg
http://farm3.static.flickr.com/2126/2178853131_a38fb95dc7.jpg
http://farm1.static.flickr.com/53/169472299_f4779f1e09.jpg
http://farm3.static.flickr.com/2354/1527936457_7225bcdba0.jpg
http://www.humanistperspectives.org/images/journalcovers/jc_156.jpg
http://www.cherokeediscovery.com/images/event10.gif
HTTP Error 404: Not Found
http://farm1.static.flickr.com/82/253124234_a3ef228680.jpg
http://farm1.static.flickr.com/53/127847519_cb5da64eab.jpg
http://static.flickr.com/2237/2033705133_c2254d8952.jpg
http://farm1.static.flickr.com/29/56830645_444fe6718e.jpg
http://farm1.static.flickr.com/15/18852521_c2d3b73dda.jpg
http://farm3.static.flickr.com/2036/1730203920_dd666f2adf.jpg
http://farm1.static.flickr.com/36/81428019_1f99a686ae.jpg
http://static.flickr.com/1201/1348167680_6c98f7da2b.jpg
http://farm2.static.flickr.com/1340/998727460_6e36e475b0.jpg
http://farm2.static.flickr.com/1196/1052606627_e842231ed4.jpg
http://farm1.static.flickr.com/25/89921053_a2f9c0a651.jpg
http://farm3.static.flickr.com/2056/2070039898_9cf21aa762.jpg
http://farm1.static.flickr.com/19/96207834_6e3847be55.jpg
http://farm1.static.flickr.com/49/178446181_c62ed57b09.jpg
http://farm1.static.flickr.com/1/129077389_3809e00ed2.jpg
http://www.oudvriezenveen.nl/hmv/images/wopereis-3.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/39/113246058_082b9cad32.jpg
http://farm1.static.flickr.com/51/106160265_da7ef6ec24.jpg
http://farm1.static.flickr.com/45/126295585_c30e6da6cc.jpg
http://blogimages.seniorennet.be/wareber2/407-ddc4c97873bb2c97ee9be9dead36ba32.jpg
http://www.gov.im/lib/images/post/resources/human.jpg
HTTP Error 404: Not Found
http://www.czechslovakforum.be/images/avatars/152.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://static-p.arttoday.com/thw/thw13/PO/5344_2005020025/010309_0690_00/34456392.thw.jpg?010309_0690_0051_l__p
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1032/694269578_fc24930fb1.jpg
http://www.dancehallareaz.com/bio/bio/elephantmangoodtogo.png
'NoneType' object has no attribute 'shape'
http://jimcoughlin.com/images/DavidRace.jpg
HTTP Error 404: Not Found
http://blogsimages.skynet.be/images/003/162/126_c38e989606d7409804ec285471264d64.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.josephklibansky.nl/uploads/images/aboutjoseph/aboutjoseph10.jpg
HTTP Error 404: Not Found
http://farm3.static.flickr.com/2215/2240189754_bd35941240.jpg
http://static.flickr.com/1410/682109572_54988f7a55.jpg
http://farm2.static.flickr.com/1401/694677668_14676336ba.jpg
http://advocacy.britannica.com/blog/advocacy/wp-content/uploads/service-dog.jpg
http://www.groene.nl/UserFiles/Image/Kerkgangers.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/48/138123259_fdaafbb266.jpg
http://www.smh.com.au/ffximage/2006/02/01/300_robotx1,0.jpg
http://www.elsevier.nl/artimg/200710/Maxima-2.jpg
HTTP Error 404: Not Found
http://www.bepster.com/_nl/images/stories/bibi-van-der-velden-002-180.jpg
HTTP Error 404: Not Found
http://www.rooiereus.nl/images/wittejas.jpg
HTTP Error 404: Not Found
http://www.onehumanrace.com/images/oneHumanRace_header.jpg
HTTP Error 404: Not Found
http://www.pe.com/sharedcontent/southwest/pecom/olsentwins/photos/2004-07-07/olsens-300.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/32/47332510_d758206c32.jpg
http://img255.imageshack.us/img255/4513/alicecopperlookinglikebvr4.jpg
HTTP Error 404: Not Found
http://msnbcmedia1.msn.com/j/msnbc/Components/Slideshows/_production/ss_061122_robots/ss_061122_robots_tease.300w.jpg
http://d.yimg.com/us.yimg.com/p/afp/20070821/capt.sge.mso44.210807180845.photo00.photo.default-388x512.jpg
HTTP Error 404: Not Found
http://static.flickr.com/42/97202927_e4281fda06.jpg
http://www.billandnancyinteractive.com/travel/Turkey/P1170144.JPG
HTTP Error 404: Not Found
http://farm1.static.flickr.com/53/139030943_59b13c76ae.jpg
http://farm1.static.flickr.com/101/316039766_d258987a6a.jpg
http://krant.telegraaf.nl/krant/archief/19970426/fotos/bin.kroonprins.jpg
http://static.flickr.com/40/79358913_bcd3012360.jpg
http://farm1.static.flickr.com/140/356273821_bcf3fbe50e.jpg
http://farm1.static.flickr.com/182/418052108_6653014b9a.jpg
http://www.erasmusprijs.org/_resources/uploads/plaatjes/al-azm_foto_antwerpen.jpg
'NoneType' object has no attribute 'shape'
http://www.josephklibansky.nl/uploads/images/aboutjoseph/aboutjoseph01.jpg
HTTP Error 404: Not Found
http://www.newint.org.au/issue329/Images/littlepic.jpg
HTTP Error 404: Not Found
http://www.little-birdie.net/photos/uncategorized/humanmarvel.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://static.mediamatic.nl/f/fttx/image/145/8266-300-199.gif
HTTP Error 404: Not Found
http://www.paulvermast.nl/wp/wp-content/uploads/2007/04/gouden-bikini.jpg
HTTP Error 403: Forbidden
http://www.rp-online.de/layout/showbilder/64-robbie_dpa.jpg
HTTP Error 410: Gone
http://www.ambafrance.nl/IMG/jpg/9.jpg
HTTP Error 404: Not Found
http://anjameulenbelt.sp.nl/weblog/wp-content/uploads/2007/10/071011iftar-018.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.andersreizen.nl/jpeg/no/no02w01j.jpg
http://farm1.static.flickr.com/171/443659618_396ad4c67f.jpg
http://farm2.static.flickr.com/1416/1203630835_0db81532df.jpg
http://s54.photobucket.com/albums/g119/papoise/th_PODCAST.jpg
http://farm1.static.flickr.com/65/181936185_a0448550ba.jpg
http://www.theukalliance.co.uk/Peggy_7.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/165/412087088_6e7a77e7d4.jpg
http://img513.imageshack.us/img513/3530/94569682jj7.jpg
HTTP Error 404: Not Found
http://www.nko.uza.be/patient/nko/evenwichtskliniek_02.jpg
HTTP Error 404: Not Found
http://www.depers.nl/beeld/w178/2007/200709/20070928/maxima.jpg
<urlopen error [Errno 60] Operation timed out>
http://l.yimg.com/img.tv.yahoo.com/tv/us/img/site/51/07/0000035107_20061021055200.jpg
HTTP Error 404: Not Found on Accelerator
http://farm1.static.flickr.com/244/447158448_94f32f96ff.jpg
http://nonduality.com/13872.jpg
HTTP Error 404: Not Found
http://www.stack.nl/~stefanvz/guidje/images/Guidje_Haldern.jpg
HTTP Error 404: Requested URL not found
http://www.brumu.be/image/LaPanika_low.gif
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2043/2157413139_dab7d38038.jpg
http://lettersenbeelden.web-log.nl/cultuurblog/images/horney_brigitte.jpg
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/40/124619068_e9bf615283.jpg
http://www.republicanvoices.org/kerry_waffle_man.jpg
HTTP Error 403: Forbidden
http://www.cubra.nl/fotografierubriek/janjosephstok/brab19.jpg
http://upload.wikimedia.org/wikipedia/commons/thumb/b/bd/Jan_Vermeer_van_Delft_009.jpg/280px-Jan_Vermeer_van_Delft_009.jpg
http://www.dbnl.org/tekst/_ons003199801_01/_ons003199801ill75.gif
'NoneType' object has no attribute 'shape'
http://farm1.static.flickr.com/8/6961682_06318c89af.jpg
http://www.nrc.nl/multimedia/archive/00191/maxima-en-willem_191667a.jpg
'NoneType' object has no attribute 'shape'
http://helelbensahar.files.wordpress.com/2007/09/nos-comeremos-el-mundo.jpg
http://www.foxnews.com/images/237626/0_61_110706_eyes.jpg
http://www.elsevier.nl/artimg/200703/tommyhilfiger3.jpg
HTTP Error 404: Not Found
http://www.bezorgers.nl/images/musicimages/sting.jpg
'NoneType' object has no attribute 'shape'
http://static.flickr.com/118/294222047_c8ec445ca0.jpg
http://www.saanei.org/fa/baz/pic/Erouopa_86-08-10_04.JPG
HTTP Error 404: Not Found
http://www.ikonrtv.nl/uploadedImgs/depressie.jpg
HTTP Error 403: Forbidden
http://farm2.static.flickr.com/1192/693783730_b8df3b4192.jpg
http://www.painetworks.com/photos/ij/ij1349.JPG
http://upload.wikimedia.org/wikipedia/pl/thumb/6/69/Gazolina_zloga.jpg/250px-Gazolina_zloga.jpg
HTTP Error 404: Not Found
http://www.huubmous.nl/wordpress/wp-content/uploads/2007/09/roy2.jpg
http://farm1.static.flickr.com/180/457898914_f59cd5cf8a.jpg
http://www.czechslovakforum.be/images/avatars/1433385821448d39c2c651d.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.hsvcastricum.nl/Fotoboek/Faas-03-Nrm.jpg
HTTP Error 404: Not Found
http://farm2.static.flickr.com/1012/696096367_d6a3bce81b.jpg
http://www.8weekly.nl/images/art/4226-2.jpg
http://users.i.com.ua/~and_i/pages/funny%20image/images/man_and_woman.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://upload.wikimedia.org/wikipedia/commons/0/03/Skydiving_4_way.jpg
http://caribjournal.com/wp-content/uploads/2007/04/why-early-humans-began-walking-upright.jpg
HTTP Error 403: Forbidden
http://www.abrona.nl/siteimg/DB-kosmopoliet-web.jpg
HTTP Error 404: Not Found
http://60gp.ovh.net/~novacivi/blog/archives/marc_de_vos_prof3.jpg
HTTP Error 404: Not Found
http://www.hasseltlokaal.be/Portals/0/Upload/Thumbs/12602cam.JPG
<urlopen error [Errno 60] Operation timed out>
http://farm3.static.flickr.com/2253/2121752717_4cb2d2284f.jpg
http://farm3.static.flickr.com/2040/1979574460_4a64b05830.jpg
http://farm2.static.flickr.com/1141/694813532_2d0281aa0d.jpg
http://images.vpro.nl/img.db?33768483+s(150)
<urlopen error [Errno 60] Operation timed out>
http://www.ppsw.rug.nl/~teng/foto.jpg
HTTP Error 404: Not Found
http://www.8weekly.nl/images/art/montecristo1.jpg
http://farm2.static.flickr.com/1136/529465226_59a39e2db7.jpg
http://www.hoy.es/galerias/espana/media/hombre-reparaba-almacn-situado-16.3.3271436367.jpg
HTTP Error 404: Not Found
http://farm1.static.flickr.com/60/186118226_004f65ecdc.jpg
http://www.voont.com/files/images/junk/man.jpg
http://hilltop.mhc.edu/100404/Heritage%20gallery/images/Habitat%20for%20Humanity.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm3.static.flickr.com/2227/2052098199_7a18bced44.jpg
http://www.campertje.nl/forum/forumfotografe.jpg
http://static.mediamatic.nl/f/fttx/icon/962/7777-84-84-crop-.jpg
HTTP Error 404: Not Found
http://rond1900.nl/Images/Whitman.jpg
http://farm1.static.flickr.com/56/187591083_96483f28f1.jpg
http://www.heimatklange.nl/0d9906a0.gif
HTTP Error 404: Not Found
http://static.flickr.com/1122/1359741672_5478149a7c.jpg
http://farm1.static.flickr.com/185/438952597_e6936f9184.jpg
http://www.institutneerlandais.com/images/2004_01/matangi.jpg
HTTP Error 403: Forbidden
http://debalisnietrond.web-log.nl/debalisnietrond/images/leo_beenhakker_oglosil_1000182.jpg
'NoneType' object has no attribute 'shape'
http://www.kindamuzik.net/gfx/davidbyrne-cvr-0504.jpg
http://cmgt.chn.nl/weblog_hw/uploaded_images/DSC00045-738542.JPG
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://farm2.static.flickr.com/1399/721741343_a28b874bf4.jpg
http://nederlandierland.bravehost.com/myPictures/stpatricksdaytheater.JPG
HTTP Error 404: Not Found
http://farm1.static.flickr.com/51/121132014_8c2645f98e.jpg
http://farm2.static.flickr.com/1389/693752283_5a4a4b85fb.jpg
http://www.showlightleek.nl/forumfoto/marten.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.log-isch.nl/logisch/images/vandersar2_1.jpg
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.djbroadcast.nl/imgcache/34b91578869f5a16b286af2039880e20.jpeg
<urlopen error [Errno 60] Operation timed out>
http://www.kimbols.be/afb/piet_polen.jpg
http://60gp.ovh.net/~novacivi/blog/archives/pano-met-golven.jpg
HTTP Error 404: Not Found
http://www.malendevlinders.nl/images/GeepPORTRET.jpg
http://www.jaustinphoto.com/jeff_camera.jpg
HTTP Error 404: Not Found
http://lettersenbeelden.web-log.nl/cultuurblog/images/walter_bruno.jpg
'NoneType' object has no attribute 'shape'
http://www.espacioblog.com/myfiles/en-red-a-dios/de-juana.jpg
Remote end closed connection without response
http://www.uitvinders.nl/diversen/pasfoto.gif
HTTP Error 404: Not Found
http://www.nrc.nl/multimedia/archive/00213/buruma_213611d.jpg
'NoneType' object has no attribute 'shape'
http://www.pdashot.com/image.php?album=KlCees&img=446676.jpg&wantedWidth=100
<urlopen error [Errno 8] nodename nor servname provided, or not known>
http://www.ambafrance.nl/IMG/jpg/7.jpg
HTTP Error 404: Not Found
http://www.wfu.edu/news/release/assets/images/2007.01.08.h1.jpg
'NoneType' object has no attribute 'shape'
http://static.flickr.com/4/5436126_ab21fdd2a9.jpg
http://img19.imageshack.us/img19/7499/imagerf8.jpg
HTTP Error 404: Not Found
http://www.kindamuzik.net/gfx/tiga-grp-0103.jpg
http://farm3.static.flickr.com/2362/2114584457_f1b53ded21_o.jpg
http://www.sambenedettoggi.it/wp-content/uploads/2006/05/mondo%20marcio.jpg
<urlopen error [Errno 60] Operation timed out>
http://www.agneseginocchio.it/Documenti%20Uttaro/Manifestazione%20No%20Biomasse%20San%20Salvatore%20T/Agnese%20Musica%20per%20la%20mia%20terra1.jpg
http://www.cineboom.it/immaginiarticoli/04_thehitchhikersguidetothegalaxy.jpg
http://www.nostreradici.it/buber-foto.jpg

unknown url type: ''

unknown url type: ''
CPU times: user 22.2 s, sys: 6.04 s, total: 28.2 s
Wall time: 1h 41min 4s
In [33]:
len(np.array(glob("pos/*")))
Out[33]:
1471

Sort out all non-available photos using the unique testarray corresponding to those images.

In [34]:
%%time
from PIL.ImageStat import Stat
from PIL import Image
for im in glob("neg/*"):
    if not os.path.exists('neg_noshow'):
        os.makedirs('neg_noshow')
    im_test = Image.open(im)
    extremata = Stat(im_test).extrema
    testarray = np.array([(141,255),(141,255), (141,255)])
    check     = np.array_equal(extremata, testarray)
    if check:
        newloc='/'.join(['neg_noshow',\
                         im_test.filename.split('/')[1]])
        os.rename(im_test.filename, newloc)
    else:
        pass
CPU times: user 2.86 s, sys: 323 ms, total: 3.18 s
Wall time: 4 s
In [35]:
%%time
from PIL.ImageStat import Stat
from PIL import Image
for im in glob("pos/*"):
    if not os.path.exists('pos_noshow'):
        os.makedirs('pos_noshow')
    im_test = Image.open(im)
    extremata = Stat(im_test).extrema
    testarray = np.array([(141,255),(141,255), (141,255)])
    check     = np.array_equal(extremata, testarray)
    if check:
        newloc='/'.join(['pos_noshow',\
                         im_test.filename.split('/')[1]])
        os.rename(im_test.filename, newloc)
    else:
        pass
CPU times: user 3.51 s, sys: 384 ms, total: 3.89 s
Wall time: 4.88 s
In [36]:
len(np.array(glob("neg/*")))
Out[36]:
944
In [37]:
len(np.array(glob("pos/*")))
Out[37]:
1289
In [45]:
nofaces_imgnumbers=\
[19, 59, 60, 64, 69, 82, 86, 89, 104, 113,\
 132, 143, 145, 147, 153, 178, 204, 211,\
 218, 225, 240, 242, 253, 256, 266, 271,\
 273, 283, 299, 300, 303, 329, 344, 350, 360,\
 365, 370, 376, 381, 388, 390, 405, 430, 433,\
 438, 443, 451, 467, 470, 476, 477, 481, 494,\
 508, 538, 539, 541, 566, 570, 591, 602, 603,\
 611, 621, 630, 651, 656, 675, 692, 694, 695,\
 699, 703, 712, 721, 728, 748, 769, 776, 832,\
 833, 837, 842, 853, 855, 881, 882, 890, 891,\
 896, 909, 917, 925, 959, 1004, 1005, 1010,\
 1022, 1042, 1047, 1063, 1076, 1080, 1093, 1116,\
 1120, 1133, 1147, 1156, 1163, 1188, 1195, 1239,\
 1254, 1282, 1314, 1332, 1364, 1390, 1445, 1446,\
 1450, 1455, 1463,\
 817, 970, 27, 99, 613, 83, 111, 764, 1462,\
 767, 786, 791, 1444, 1389, 1449, 836, 1281,\
 1366, 1442, 1363, 1454, 556, 1371, 198, 150,\
 953, 109, 237, 1313, 1100, 1305, 1331, 1776,\
 1238, 1354, 1285, 1289]
In [46]:
%%time
for i in nofaces_imgnumbers:
    if not os.path.exists('pos_nofaces'):
        os.makedirs('pos_nofaces')
    img_name = '.'.join([str(i),'jpg'])
    old_loc  = '/'.join(['pos',img_name])
    if(os.path.isfile(old_loc)):
        new_loc  = '/'.join(['pos_nofaces',img_name])
        os.rename(old_loc,new_loc)
CPU times: user 2.04 ms, sys: 6.91 ms, total: 8.95 ms
Wall time: 24.6 ms
In [47]:
len(np.array(glob("pos/*")))
Out[47]:
1130
In [48]:
neg_len = len(np.array(glob("neg/*")))
pos_len = len(np.array(glob("pos/*")))
labels = np.concatenate((np.zeros(neg_len),np.ones(pos_len)),axis=0)
In [49]:
%%time
data = []
for img in glob("neg/*"):
    im = cv2.imread(img)
    data.append(im)
for img in glob("pos/*"):
    im = cv2.imread(img)
    data.append(im)
print(len(data))
2074
CPU times: user 3.07 s, sys: 1.43 s, total: 4.51 s
Wall time: 5.36 s
In [50]:
%%time
from sklearn.model_selection import StratifiedShuffleSplit
t_size = 0.2
# split into 80% train data (first entry [0][0]) 
# and 20% test data (second entry [0][1])
stratSplit1 = \
StratifiedShuffleSplit(n_splits = 1,\
                       test_size   = t_size,\
                       train_size  = 1-t_size,\
                       random_state=None)
# split into total 10 % test data 
# and total 10% validation data
stratSplit2 = \
StratifiedShuffleSplit(n_splits=1,\
                       test_size = 0.1/t_size,\
                       train_size = 0.1/t_size,\
                       random_state=None)

indices1 = list(stratSplit1.split(data,labels))
X_train = []
for i in range(len(indices1[0][0])):
    X_train.append(data[indices1[0][0][i]])
CPU times: user 3.35 ms, sys: 191 ms, total: 194 ms
Wall time: 195 ms
In [51]:
X_test_val = []
for i in range(len(indices1[0][1])):
    X_test_val.append(data[indices1[0][1][i]])
indices2 = list(stratSplit2.split(X_test_val,labels[indices1[0][1]]))
In [52]:
train_indices = indices1[0][0]
val_indices = indices2[0][1]
test_indices = indices2[0][0]
In [53]:
X_test = []
X_valid = []
for i in range(len(test_indices)):
    X_test.append(data[test_indices[i]])
for i in range(len(val_indices)):
    X_valid.append(data[val_indices[i]])
In [54]:
y_train = labels[train_indices]
y_test  = labels[test_indices]
y_valid = labels[val_indices]
In [55]:
X_train = np.asarray(X_train)
y_train = np.asarray(y_train)
X_test  = np.asarray(X_test)
y_test  = np.asarray(y_test)
X_valid = np.asarray(X_valid)
y_valid = np.asarray(y_valid)
In [56]:
X_train = X_train.astype('float32')/255
X_valid = X_valid.astype('float32')/255
X_test  = X_test.astype('float32')/255
In [57]:
print("Train      shapes (x, y):", X_train.shape, y_train.shape)
print("Validation shapes (x, y):", X_valid.shape, y_valid.shape)
print("Test       shapes (x, y):", X_test.shape , y_test.shape)
Train      shapes (x, y): (1659, 250, 250, 3) (1659,)
Validation shapes (x, y): (208, 250, 250, 3) (208,)
Test       shapes (x, y): (207, 250, 250, 3) (207,)
In [59]:
from keras.layers import Conv2D, MaxPooling2D, GlobalAveragePooling2D
from keras.layers import Dropout, Flatten, Dense, BatchNormalization
from keras.layers import Activation
from keras.models import Sequential

def conv2d(mdl, filters = 16, kernel_size = (3,3), strides = (1, 1),\
           padding = 'same', input_shape = None, name = 'conv'):
    if(input_shape == None):
        mdl.add(Conv2D(filters     = filters,\
                       kernel_size = kernel_size,\
                       strides     = strides,\
                       padding     = padding,\
                       name        = name))
    else:
        mdl.add(Conv2D(filters     = filters,\
                       kernel_size = kernel_size,\
                       strides     = strides,\
                       padding     = padding,\
                       input_shape = input_shape,\
                       name        = name))

def maxpool2d(mdl, pool_size = (2,2), strides = (2,2), name = 'maxpool'):
    mdl.add(MaxPooling2D(pool_size, strides, name = name))

def activation(mdl, activation = 'relu', name = 'activation'):
    mdl.add(Activation(activation, name = name))

def gap2d(mdl,data_format = 'channels_last'):
    mdl.add(GlobalAveragingPooling2D(data_format))

def flatten(mdl, name='flatten'):
    mdl.add(Flatten(name=name))

def dense(mdl, filters, name='dense'):
    mdl.add(Dense(filters, name=name))

def dropout(mdl, drop_prob = 0.2, name='dropout'):
    mdl.add(Dropout(drop_prob, name=name))
    
def batchnormalize(mdl, name='batchnormalize'):
    mdl.add(BatchNormalization(name=name))

faces_model = Sequential()

### TODO: Define your architecture.
conv2d(faces_model, input_shape = (250,250,3), name='faces_conv2d_1')
dropout(faces_model, name='faces_dropout_1')
batchnormalize(faces_model,name='faces_batchnorm_1')
activation(faces_model, name='faces_activation_1')
maxpool2d(faces_model, name='faces_maxpool_1')
conv2d(faces_model, filters = 32, name='faces_conv2d_2')
dropout(faces_model, name='faces_dropout_2')
batchnormalize(faces_model,name='faces_batchnorm_2')
activation(faces_model, name='faces_activation_2')
maxpool2d(faces_model, name='faces_maxpool_2')
conv2d(faces_model, filters = 64, name='faces_conv2d_3')
dropout(faces_model, name='faces_dropout_3')
batchnormalize(faces_model,name='faces_batchnorm_3')
activation(faces_model, name='faces_activation_3')
maxpool2d(faces_model, name='faces_maxpool_3')
flatten(faces_model, name='faces_flatten')
dense(faces_model, filters = 1, name='faces_dense')
batchnormalize(faces_model,name='faces_batchnorm_4')
activation(faces_model, 'softmax', name='faces_activation_4')

faces_model.summary()
_________________________________________________________________
Layer (type)                 Output Shape              Param #   
=================================================================
faces_conv2d_1 (Conv2D)      (None, 250, 250, 16)      448       
_________________________________________________________________
faces_dropout_1 (Dropout)    (None, 250, 250, 16)      0         
_________________________________________________________________
faces_batchnorm_1 (BatchNorm (None, 250, 250, 16)      64        
_________________________________________________________________
faces_activation_1 (Activati (None, 250, 250, 16)      0         
_________________________________________________________________
faces_maxpool_1 (MaxPooling2 (None, 125, 125, 16)      0         
_________________________________________________________________
faces_conv2d_2 (Conv2D)      (None, 125, 125, 32)      4640      
_________________________________________________________________
faces_dropout_2 (Dropout)    (None, 125, 125, 32)      0         
_________________________________________________________________
faces_batchnorm_2 (BatchNorm (None, 125, 125, 32)      128       
_________________________________________________________________
faces_activation_2 (Activati (None, 125, 125, 32)      0         
_________________________________________________________________
faces_maxpool_2 (MaxPooling2 (None, 62, 62, 32)        0         
_________________________________________________________________
faces_conv2d_3 (Conv2D)      (None, 62, 62, 64)        18496     
_________________________________________________________________
faces_dropout_3 (Dropout)    (None, 62, 62, 64)        0         
_________________________________________________________________
faces_batchnorm_3 (BatchNorm (None, 62, 62, 64)        256       
_________________________________________________________________
faces_activation_3 (Activati (None, 62, 62, 64)        0         
_________________________________________________________________
faces_maxpool_3 (MaxPooling2 (None, 31, 31, 64)        0         
_________________________________________________________________
faces_flatten (Flatten)      (None, 61504)             0         
_________________________________________________________________
faces_dense (Dense)          (None, 1)                 61505     
_________________________________________________________________
faces_batchnorm_4 (BatchNorm (None, 1)                 4         
_________________________________________________________________
faces_activation_4 (Activati (None, 1)                 0         
=================================================================
Total params: 85,541
Trainable params: 85,315
Non-trainable params: 226
_________________________________________________________________
In [62]:
faces_model.compile(optimizer='rmsprop', loss='binary_crossentropy', metrics=['accuracy'])
In [63]:
%%time
from keras.callbacks import ModelCheckpoint, EarlyStopping  

checkpointer = ModelCheckpoint(filepath='saved_models/bestweights_facesmodel.hdf5', 
                               verbose=1, save_best_only=True)

earlyStop = EarlyStopping(patience = 3)

epochs = 24

faces_model.fit(X_train, y_train, \
                validation_data=(X_valid, y_valid),\
                epochs=epochs, batch_size=20,\
                callbacks=[checkpointer, earlyStop], verbose=1)
Train on 1659 samples, validate on 208 samples
Epoch 1/24
1659/1659 [==============================] - 310s 187ms/step - loss: 7.2553 - acc: 0.5449 - val_loss: 15.9424 - val_acc: 0.0000e+00

Epoch 00001: val_loss improved from inf to 15.94238, saving model to saved_models/bestweights_facesmodel.hdf5
Epoch 2/24
1659/1659 [==============================] - 282s 170ms/step - loss: 7.2553 - acc: 0.5449 - val_loss: 15.9424 - val_acc: 0.0000e+00

Epoch 00002: val_loss did not improve
Epoch 3/24
  20/1659 [..............................] - ETA: 4:45 - loss: 8.7683 - acc: 0.4500
---------------------------------------------------------------------------
KeyboardInterrupt                         Traceback (most recent call last)
<timed exec> in <module>()

/anaconda3/lib/python3.6/site-packages/keras/models.py in fit(self, x, y, batch_size, epochs, verbose, callbacks, validation_split, validation_data, shuffle, class_weight, sample_weight, initial_epoch, steps_per_epoch, validation_steps, **kwargs)
    961                               initial_epoch=initial_epoch,
    962                               steps_per_epoch=steps_per_epoch,
--> 963                               validation_steps=validation_steps)
    964 
    965     def evaluate(self, x=None, y=None,

/anaconda3/lib/python3.6/site-packages/keras/engine/training.py in fit(self, x, y, batch_size, epochs, verbose, callbacks, validation_split, validation_data, shuffle, class_weight, sample_weight, initial_epoch, steps_per_epoch, validation_steps, **kwargs)
   1703                               initial_epoch=initial_epoch,
   1704                               steps_per_epoch=steps_per_epoch,
-> 1705                               validation_steps=validation_steps)
   1706 
   1707     def evaluate(self, x=None, y=None,

/anaconda3/lib/python3.6/site-packages/keras/engine/training.py in _fit_loop(self, f, ins, out_labels, batch_size, epochs, verbose, callbacks, val_f, val_ins, shuffle, callback_metrics, initial_epoch, steps_per_epoch, validation_steps)
   1233                         ins_batch[i] = ins_batch[i].toarray()
   1234 
-> 1235                     outs = f(ins_batch)
   1236                     if not isinstance(outs, list):
   1237                         outs = [outs]

/anaconda3/lib/python3.6/site-packages/keras/backend/tensorflow_backend.py in __call__(self, inputs)
   2476         session = get_session()
   2477         updated = session.run(fetches=fetches, feed_dict=feed_dict,
-> 2478                               **self.session_kwargs)
   2479         return updated[:len(self.outputs)]
   2480 

/anaconda3/lib/python3.6/site-packages/tensorflow/python/client/session.py in run(self, fetches, feed_dict, options, run_metadata)
    893     try:
    894       result = self._run(None, fetches, feed_dict, options_ptr,
--> 895                          run_metadata_ptr)
    896       if run_metadata:
    897         proto_data = tf_session.TF_GetBuffer(run_metadata_ptr)

/anaconda3/lib/python3.6/site-packages/tensorflow/python/client/session.py in _run(self, handle, fetches, feed_dict, options, run_metadata)
   1126     if final_fetches or final_targets or (handle and feed_dict_tensor):
   1127       results = self._do_run(handle, final_targets, final_fetches,
-> 1128                              feed_dict_tensor, options, run_metadata)
   1129     else:
   1130       results = []

/anaconda3/lib/python3.6/site-packages/tensorflow/python/client/session.py in _do_run(self, handle, target_list, fetch_list, feed_dict, options, run_metadata)
   1342     if handle is None:
   1343       return self._do_call(_run_fn, self._session, feeds, fetches, targets,
-> 1344                            options, run_metadata)
   1345     else:
   1346       return self._do_call(_prun_fn, self._session, handle, feeds, fetches)

/anaconda3/lib/python3.6/site-packages/tensorflow/python/client/session.py in _do_call(self, fn, *args)
   1348   def _do_call(self, fn, *args):
   1349     try:
-> 1350       return fn(*args)
   1351     except errors.OpError as e:
   1352       message = compat.as_text(e.message)

/anaconda3/lib/python3.6/site-packages/tensorflow/python/client/session.py in _run_fn(session, feed_dict, fetch_list, target_list, options, run_metadata)
   1327           return tf_session.TF_Run(session, options,
   1328                                    feed_dict, fetch_list, target_list,
-> 1329                                    status, run_metadata)
   1330 
   1331     def _prun_fn(session, handle, feed_dict, fetch_list):

KeyboardInterrupt: 
In [77]:
# returns "True" if face is detected in image stored at img_path
def face_detector2(img_path, model):
    img = cv2.imread(img_path, cv2.IMREAD_COLOR)
    interpol = cv2.INTER_LINEAR
    if(img.shape[0] < 250 and img.shape[1] < 250):
        interpol = cv2.INTER_CUBIC
    elif(img.shape[0] > 250 and img.shape[1] > 250):
        interpol = cv2.INTER_AREA
    else:
        pass
    resized_img = cv2.resize(img, (x_pixels, y_pixels), interpolation = interpol)
    faces = model.predict(np.expand_dims(resized_img,axis=0))
    return len(faces) > 0
In [78]:
%%time
#human_files_short = human_files[:100]
#dog_files_short = train_files[:100]
human_files_short = human_files[0:1000]
dog_files_short = train_files[0:1000]
# Do NOT modify the code above this line.

## TODO: Test the performance of the face_detector algorithm 
## on the images in human_files_short and dog_files_short.
h_in_h_count = 0
h_in_d_count = 0
CPU times: user 15 µs, sys: 18 µs, total: 33 µs
Wall time: 37.9 µs
In [79]:
human_files[0:1000]
Out[79]:
array(['lfw/Muhammad_Ali/Muhammad_Ali_0001.jpg',
       'lfw/Yoko_Ono/Yoko_Ono_0001.jpg',
       'lfw/Svetlana_Belousova/Svetlana_Belousova_0001.jpg',
       'lfw/Lauren_Hutton/Lauren_Hutton_0001.jpg',
       'lfw/Jennifer_Capriati/Jennifer_Capriati_0005.jpg',
       'lfw/George_W_Bush/George_W_Bush_0399.jpg',
       'lfw/Tomas_Malik/Tomas_Malik_0001.jpg',
       'lfw/Catherine_Woodard/Catherine_Woodard_0001.jpg',
       'lfw/Fabricio_Oberto/Fabricio_Oberto_0001.jpg',
       'lfw/Peter_OToole/Peter_OToole_0001.jpg',
       'lfw/Alberto_Sordi/Alberto_Sordi_0001.jpg',
       'lfw/Elijah_Wood/Elijah_Wood_0003.jpg',
       'lfw/Darcy_Regier/Darcy_Regier_0001.jpg',
       'lfw/Ataollah_Mohajerani/Ataollah_Mohajerani_0001.jpg',
       'lfw/Mahathir_Mohamad/Mahathir_Mohamad_0008.jpg',
       'lfw/Hans_Blix/Hans_Blix_0026.jpg',
       'lfw/Paul_ONeill/Paul_ONeill_0009.jpg',
       'lfw/Jason_Kidd/Jason_Kidd_0007.jpg',
       'lfw/Hugh_Grant/Hugh_Grant_0003.jpg',
       'lfw/Ian_Thorpe/Ian_Thorpe_0005.jpg',
       'lfw/Colin_Cowie/Colin_Cowie_0001.jpg',
       'lfw/John_Kerry/John_Kerry_0005.jpg',
       'lfw/Colin_Powell/Colin_Powell_0018.jpg',
       'lfw/Paul_Wolfowitz/Paul_Wolfowitz_0002.jpg',
       'lfw/Phil_Bredesen/Phil_Bredesen_0001.jpg',
       'lfw/LeAnn_Rimes/LeAnn_Rimes_0002.jpg',
       'lfw/Olesya_Bonabarenko/Olesya_Bonabarenko_0002.jpg',
       'lfw/Natalie_Maines/Natalie_Maines_0004.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0005.jpg',
       'lfw/Junichiro_Koizumi/Junichiro_Koizumi_0014.jpg',
       'lfw/Samira_Makhmalbaf/Samira_Makhmalbaf_0002.jpg',
       'lfw/Javier_Zanetti/Javier_Zanetti_0001.jpg',
       'lfw/Saddam_Hussein/Saddam_Hussein_0021.jpg',
       'lfw/George_W_Bush/George_W_Bush_0105.jpg',
       'lfw/Peter_Struck/Peter_Struck_0005.jpg',
       'lfw/Alicia_Hollowell/Alicia_Hollowell_0001.jpg',
       'lfw/Richard_Gere/Richard_Gere_0010.jpg',
       'lfw/Edmund_Stoiber/Edmund_Stoiber_0005.jpg',
       'lfw/Robert_Kipkoech_Cheruiyot/Robert_Kipkoech_Cheruiyot_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0263.jpg',
       'lfw/Linus_Roache/Linus_Roache_0001.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0001.jpg',
       'lfw/Richard_Shelby/Richard_Shelby_0001.jpg',
       'lfw/Kathy_Gannon/Kathy_Gannon_0001.jpg',
       'lfw/John_Salazar/John_Salazar_0001.jpg',
       'lfw/Steve_Allan/Steve_Allan_0001.jpg',
       'lfw/Lindsay_Davenport/Lindsay_Davenport_0013.jpg',
       'lfw/Colin_Powell/Colin_Powell_0154.jpg',
       'lfw/Mark_Wahlberg/Mark_Wahlberg_0002.jpg',
       'lfw/Larry_Flynt/Larry_Flynt_0001.jpg',
       'lfw/Gunter_Pleuger/Gunter_Pleuger_0004.jpg',
       'lfw/Alvaro_Uribe/Alvaro_Uribe_0014.jpg',
       'lfw/Enrique_Haroldo_Gorriaran_Merlo/Enrique_Haroldo_Gorriaran_Merlo_0001.jpg',
       'lfw/Serena_Williams/Serena_Williams_0036.jpg',
       'lfw/Kofi_Annan/Kofi_Annan_0016.jpg',
       'lfw/Andrei_Mikhnevich/Andrei_Mikhnevich_0001.jpg',
       'lfw/Robert_Ehrlich/Robert_Ehrlich_0002.jpg',
       'lfw/Pascal_Quignard/Pascal_Quignard_0001.jpg',
       'lfw/Bertie_Ahern/Bertie_Ahern_0001.jpg',
       'lfw/Vojislav_Kostunica/Vojislav_Kostunica_0005.jpg',
       'lfw/Mario_Dumont/Mario_Dumont_0002.jpg',
       'lfw/Roger_Toussaint/Roger_Toussaint_0001.jpg',
       'lfw/Jennifer_Garner/Jennifer_Garner_0003.jpg',
       'lfw/Carolina_Moraes/Carolina_Moraes_0001.jpg',
       'lfw/Michael_Weiss/Michael_Weiss_0001.jpg',
       'lfw/Alejandro_Lerner/Alejandro_Lerner_0001.jpg',
       'lfw/Jackie_Chan/Jackie_Chan_0011.jpg',
       'lfw/Russell_Coutts/Russell_Coutts_0002.jpg',
       'lfw/Mark_Philippoussis/Mark_Philippoussis_0001.jpg',
       'lfw/Jean_Charest/Jean_Charest_0001.jpg',
       'lfw/Adolfo_Aguilar_Zinser/Adolfo_Aguilar_Zinser_0001.jpg',
       'lfw/Robert_De_Niro/Robert_De_Niro_0004.jpg',
       'lfw/Daniel_Osorno/Daniel_Osorno_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0162.jpg',
       'lfw/Stephen_Frears/Stephen_Frears_0001.jpg',
       'lfw/Larry_Thompson/Larry_Thompson_0003.jpg',
       'lfw/Jean_Chretien/Jean_Chretien_0046.jpg',
       'lfw/Gina_Lollobrigida/Gina_Lollobrigida_0001.jpg',
       'lfw/Mike_Myers/Mike_Myers_0005.jpg',
       'lfw/Ali_Naimi/Ali_Naimi_0005.jpg',
       'lfw/Bartosz_Kizierowski/Bartosz_Kizierowski_0001.jpg',
       'lfw/Taha_Yassin_Ramadan/Taha_Yassin_Ramadan_0001.jpg',
       'lfw/Shigeru_Ishiba/Shigeru_Ishiba_0001.jpg',
       'lfw/Rolf_Eckrodt/Rolf_Eckrodt_0001.jpg',
       'lfw/Julio_Iglesias_Jr/Julio_Iglesias_Jr_0001.jpg',
       'lfw/Luiz_Inacio_Lula_da_Silva/Luiz_Inacio_Lula_da_Silva_0044.jpg',
       'lfw/Bonnie_Hunt/Bonnie_Hunt_0001.jpg',
       'lfw/James_Wolfensohn/James_Wolfensohn_0002.jpg',
       'lfw/Audrey_Lacroix/Audrey_Lacroix_0001.jpg',
       'lfw/Elton_John/Elton_John_0006.jpg',
       'lfw/Maria_Shkolnikova/Maria_Shkolnikova_0001.jpg',
       'lfw/Paul-Henri_Mathieu/Paul-Henri_Mathieu_0001.jpg',
       'lfw/Martha_Stewart/Martha_Stewart_0003.jpg',
       'lfw/Wendy_Selig/Wendy_Selig_0001.jpg',
       'lfw/Gus_Frerotte/Gus_Frerotte_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0516.jpg',
       'lfw/Hans_Blix/Hans_Blix_0031.jpg',
       'lfw/Martin_Hoellwarth/Martin_Hoellwarth_0001.jpg',
       'lfw/Craig_Morgan/Craig_Morgan_0001.jpg',
       'lfw/Jim_Ahern/Jim_Ahern_0001.jpg',
       'lfw/John_Paul_II/John_Paul_II_0001.jpg',
       'lfw/William_Nessen/William_Nessen_0001.jpg',
       'lfw/James_Wolfensohn/James_Wolfensohn_0001.jpg',
       'lfw/Lawrence_Vito/Lawrence_Vito_0001.jpg',
       'lfw/Brian_Pavlich/Brian_Pavlich_0001.jpg',
       'lfw/Bill_Gates/Bill_Gates_0002.jpg',
       'lfw/Tony_Blair/Tony_Blair_0076.jpg',
       'lfw/Queen_Elizabeth_II/Queen_Elizabeth_II_0001.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0042.jpg',
       'lfw/Fred_Thompson/Fred_Thompson_0002.jpg',
       'lfw/Thomas_OBrien/Thomas_OBrien_0002.jpg',
       'lfw/Susan_Whelan/Susan_Whelan_0001.jpg',
       'lfw/Francois_Botha/Francois_Botha_0001.jpg',
       'lfw/Alimzhan_Tokhtakhounov/Alimzhan_Tokhtakhounov_0002.jpg',
       'lfw/Michael_Schumacher/Michael_Schumacher_0013.jpg',
       'lfw/Janet_Napolitano/Janet_Napolitano_0004.jpg',
       'lfw/Wang_Yingfan/Wang_Yingfan_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0023.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0023.jpg',
       'lfw/Miroljub/Miroljub_0001.jpg',
       'lfw/Xanana_Gusmao/Xanana_Gusmao_0005.jpg',
       'lfw/Ariel_Sharon/Ariel_Sharon_0064.jpg',
       'lfw/Grant_Hackett/Grant_Hackett_0001.jpg',
       'lfw/Lidija_Djukanovic/Lidija_Djukanovic_0001.jpg',
       'lfw/Wanda_de_la_Jesus/Wanda_de_la_Jesus_0001.jpg',
       'lfw/Joe_Torre/Joe_Torre_0001.jpg',
       'lfw/Fran_Drescher/Fran_Drescher_0002.jpg',
       'lfw/Marcos_Milinkovic/Marcos_Milinkovic_0001.jpg',
       'lfw/Ludivine_Sagnier/Ludivine_Sagnier_0003.jpg',
       'lfw/Sadie_Frost/Sadie_Frost_0003.jpg',
       'lfw/Mark_Heller/Mark_Heller_0002.jpg',
       'lfw/Gloria_Macapagal_Arroyo/Gloria_Macapagal_Arroyo_0026.jpg',
       'lfw/Roh_Moo-hyun/Roh_Moo-hyun_0012.jpg',
       'lfw/Adam_Sandler/Adam_Sandler_0001.jpg',
       'lfw/Rob_Marshall/Rob_Marshall_0004.jpg',
       'lfw/Sandra_Milo/Sandra_Milo_0001.jpg',
       'lfw/Joan_Laporta/Joan_Laporta_0009.jpg',
       'lfw/Pete_Sampras/Pete_Sampras_0004.jpg',
       'lfw/Winona_Ryder/Winona_Ryder_0005.jpg',
       'lfw/Grady_Little/Grady_Little_0001.jpg',
       'lfw/Joe_Friedberg/Joe_Friedberg_0001.jpg',
       'lfw/Tom_Sizemore/Tom_Sizemore_0001.jpg',
       'lfw/Bulent_Ecevit/Bulent_Ecevit_0004.jpg',
       'lfw/Carlos_Menem/Carlos_Menem_0004.jpg',
       'lfw/Kamal_Kharrazi/Kamal_Kharrazi_0004.jpg',
       'lfw/Tony_Blair/Tony_Blair_0136.jpg',
       'lfw/Hugo_Chavez/Hugo_Chavez_0040.jpg',
       'lfw/Gordana_Grubin/Gordana_Grubin_0001.jpg',
       'lfw/Mikhail_Kasyanov/Mikhail_Kasyanov_0002.jpg',
       'lfw/Tom_Ridge/Tom_Ridge_0021.jpg',
       'lfw/Ahmed_Chalabi/Ahmed_Chalabi_0001.jpg',
       'lfw/Stephanie_Cohen_Aloro/Stephanie_Cohen_Aloro_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0221.jpg',
       'lfw/Dan_Morales/Dan_Morales_0002.jpg',
       'lfw/Jesse_Ventura/Jesse_Ventura_0001.jpg',
       'lfw/Carlos_Moya/Carlos_Moya_0019.jpg',
       'lfw/Paul_Bremer/Paul_Bremer_0017.jpg',
       'lfw/Adam_Freier/Adam_Freier_0001.jpg',
       'lfw/Robert_Flodquist/Robert_Flodquist_0001.jpg',
       'lfw/Ian_Campbell/Ian_Campbell_0001.jpg',
       'lfw/Theo_Angelopoulos/Theo_Angelopoulos_0001.jpg',
       'lfw/Jose_Theodore/Jose_Theodore_0001.jpg',
       'lfw/Jennifer_Lopez/Jennifer_Lopez_0002.jpg',
       'lfw/Rudolph_Giuliani/Rudolph_Giuliani_0007.jpg',
       'lfw/Makiya_Ali_Hassan/Makiya_Ali_Hassan_0001.jpg',
       'lfw/Guillermo_Canas/Guillermo_Canas_0003.jpg',
       'lfw/Raaf_Schefter/Raaf_Schefter_0001.jpg',
       'lfw/James_Blake/James_Blake_0004.jpg',
       'lfw/Ken_Balk/Ken_Balk_0001.jpg',
       'lfw/Lloyd_Novick/Lloyd_Novick_0001.jpg',
       'lfw/Junichiro_Koizumi/Junichiro_Koizumi_0042.jpg',
       'lfw/Tom_Cruise/Tom_Cruise_0004.jpg',
       'lfw/Vladimir_Putin/Vladimir_Putin_0023.jpg',
       'lfw/Keizo_Yamada/Keizo_Yamada_0001.jpg',
       'lfw/Rafeeuddin_Ahmed/Rafeeuddin_Ahmed_0001.jpg',
       'lfw/Harvey_Weinstein/Harvey_Weinstein_0001.jpg',
       'lfw/David_Beckham/David_Beckham_0025.jpg',
       'lfw/Takuma_Sato/Takuma_Sato_0001.jpg',
       'lfw/Lloyd_Ward/Lloyd_Ward_0001.jpg',
       'lfw/Hans_Blix/Hans_Blix_0003.jpg',
       'lfw/Eunice_Barber/Eunice_Barber_0001.jpg',
       'lfw/Leandro_Garcia/Leandro_Garcia_0001.jpg',
       'lfw/Roh_Moo-hyun/Roh_Moo-hyun_0004.jpg',
       'lfw/Ana_Palacio/Ana_Palacio_0007.jpg',
       'lfw/Gary_Bettman/Gary_Bettman_0001.jpg',
       'lfw/Trent_Lott/Trent_Lott_0014.jpg',
       'lfw/Lou_Lang/Lou_Lang_0001.jpg',
       'lfw/Wolfgang_Clement/Wolfgang_Clement_0001.jpg',
       'lfw/Bob_Graham/Bob_Graham_0001.jpg',
       'lfw/Masum_Turker/Masum_Turker_0002.jpg',
       'lfw/Meryl_Streep/Meryl_Streep_0013.jpg',
       'lfw/Johnson_Panjaitan/Johnson_Panjaitan_0001.jpg',
       'lfw/Paul_Bremer/Paul_Bremer_0008.jpg',
       'lfw/Kurt_Schottenheimer/Kurt_Schottenheimer_0001.jpg',
       'lfw/Gerardo_Gambala/Gerardo_Gambala_0002.jpg',
       'lfw/Demi_Moore/Demi_Moore_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0098.jpg',
       'lfw/Anthony_Pisciotti/Anthony_Pisciotti_0001.jpg',
       'lfw/Emmit_Smith/Emmit_Smith_0002.jpg',
       'lfw/Colin_Powell/Colin_Powell_0065.jpg',
       'lfw/Ivan_Stambolic/Ivan_Stambolic_0001.jpg',
       'lfw/Jean_Chretien/Jean_Chretien_0036.jpg',
       'lfw/Nicole_Kidman/Nicole_Kidman_0015.jpg',
       'lfw/Klaus_Schwab/Klaus_Schwab_0001.jpg',
       'lfw/Nathalie_Gagnon/Nathalie_Gagnon_0001.jpg',
       'lfw/Shaukat_Aziz/Shaukat_Aziz_0001.jpg',
       'lfw/Jeff_Hornacek/Jeff_Hornacek_0001.jpg',
       'lfw/Igor_Ivanov/Igor_Ivanov_0012.jpg',
       'lfw/Brian_StPierre/Brian_StPierre_0001.jpg',
       'lfw/Harbhajan_Singh/Harbhajan_Singh_0001.jpg',
       'lfw/Troy_Jenkins/Troy_Jenkins_0001.jpg',
       'lfw/Lee_Nam-shin/Lee_Nam-shin_0001.jpg',
       'lfw/David_Nalbandian/David_Nalbandian_0014.jpg',
       'lfw/Lynn_Redgrave/Lynn_Redgrave_0001.jpg',
       'lfw/William_Martin/William_Martin_0002.jpg',
       'lfw/Alanis_Morissette/Alanis_Morissette_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0351.jpg',
       'lfw/Bill_Clinton/Bill_Clinton_0001.jpg',
       'lfw/Amanda_Marsh/Amanda_Marsh_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0066.jpg',
       'lfw/John_Cruz/John_Cruz_0001.jpg',
       'lfw/Dominic_Monaghan/Dominic_Monaghan_0001.jpg',
       'lfw/Chris_Cirino/Chris_Cirino_0001.jpg',
       'lfw/Bernard_Giraudeau/Bernard_Giraudeau_0001.jpg',
       'lfw/Gustavo_Terrazas/Gustavo_Terrazas_0001.jpg',
       'lfw/Brad_Johnson/Brad_Johnson_0001.jpg',
       'lfw/Erika_Harold/Erika_Harold_0002.jpg',
       'lfw/William_Burns/William_Burns_0002.jpg',
       'lfw/Thomas_Malchow/Thomas_Malchow_0002.jpg',
       'lfw/Iain_Duncan_Smith/Iain_Duncan_Smith_0001.jpg',
       'lfw/Leonardo_DiCaprio/Leonardo_DiCaprio_0007.jpg',
       'lfw/George_W_Bush/George_W_Bush_0012.jpg',
       'lfw/Queen_Latifah/Queen_Latifah_0001.jpg',
       'lfw/Tim_Curry/Tim_Curry_0001.jpg',
       'lfw/Hugo_Chavez/Hugo_Chavez_0069.jpg',
       'lfw/Richard_Gere/Richard_Gere_0005.jpg',
       'lfw/Kim_Dae-jung/Kim_Dae-jung_0007.jpg',
       'lfw/Marco_Antonio_Barrera/Marco_Antonio_Barrera_0003.jpg',
       'lfw/Dennis_Kucinich/Dennis_Kucinich_0004.jpg',
       'lfw/Naji_Sabri/Naji_Sabri_0002.jpg',
       'lfw/John_Manley/John_Manley_0002.jpg',
       'lfw/Jose_Maria_Aznar/Jose_Maria_Aznar_0008.jpg',
       'lfw/Sandra_Shamas/Sandra_Shamas_0001.jpg',
       'lfw/Joe_Plumeri/Joe_Plumeri_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0470.jpg',
       'lfw/George_W_Bush/George_W_Bush_0212.jpg',
       'lfw/Alvaro_Uribe/Alvaro_Uribe_0015.jpg',
       'lfw/Hector_Babenco/Hector_Babenco_0001.jpg',
       'lfw/John_Burnett/John_Burnett_0001.jpg',
       'lfw/Monica_Bellucci/Monica_Bellucci_0004.jpg',
       'lfw/Fujio_Cho/Fujio_Cho_0002.jpg',
       'lfw/Ariel_Sharon/Ariel_Sharon_0047.jpg',
       'lfw/Toni_Braxton/Toni_Braxton_0002.jpg',
       'lfw/Elizabeth_Hill/Elizabeth_Hill_0001.jpg',
       'lfw/Prince_Rainier_III/Prince_Rainier_III_0001.jpg',
       'lfw/Thomas_Fargo/Thomas_Fargo_0004.jpg',
       'lfw/Alastair_Campbell/Alastair_Campbell_0005.jpg',
       'lfw/Robert_McKee/Robert_McKee_0001.jpg',
       'lfw/Thomas_OBrien/Thomas_OBrien_0009.jpg',
       'lfw/George_W_Bush/George_W_Bush_0089.jpg',
       'lfw/Michael_Chang/Michael_Chang_0005.jpg',
       'lfw/Gray_Davis/Gray_Davis_0004.jpg',
       'lfw/Carla_Myers/Carla_Myers_0001.jpg',
       'lfw/Sammy_Sosa/Sammy_Sosa_0001.jpg',
       'lfw/Li_Zhaoxing/Li_Zhaoxing_0008.jpg',
       'lfw/Steven_Hatfill/Steven_Hatfill_0002.jpg',
       'lfw/Chloe_Sevigny/Chloe_Sevigny_0001.jpg',
       'lfw/Park_Jung_Sung/Park_Jung_Sung_0001.jpg',
       'lfw/William_Murabito/William_Murabito_0001.jpg',
       'lfw/Mahmoud_Abbas/Mahmoud_Abbas_0012.jpg',
       'lfw/George_W_Bush/George_W_Bush_0275.jpg',
       'lfw/Geraldo_Rivera/Geraldo_Rivera_0001.jpg',
       'lfw/Judi_Dench/Judi_Dench_0001.jpg',
       'lfw/John_Mabry/John_Mabry_0001.jpg',
       'lfw/John_Negroponte/John_Negroponte_0028.jpg',
       'lfw/Alyson_Hannigan/Alyson_Hannigan_0001.jpg',
       'lfw/Javier_Delgado/Javier_Delgado_0001.jpg',
       'lfw/Hugh_Campbell/Hugh_Campbell_0001.jpg',
       'lfw/Greg_Ostertag/Greg_Ostertag_0002.jpg',
       'lfw/Jennifer_Lopez/Jennifer_Lopez_0005.jpg',
       'lfw/Angel_Lockward/Angel_Lockward_0001.jpg',
       'lfw/Lee_Tae-sik/Lee_Tae-sik_0001.jpg',
       'lfw/Taha_Yassin_Ramadan/Taha_Yassin_Ramadan_0015.jpg',
       'lfw/Leonardo_DiCaprio/Leonardo_DiCaprio_0005.jpg',
       'lfw/George_W_Bush/George_W_Bush_0447.jpg',
       'lfw/Maurice_Cheeks/Maurice_Cheeks_0001.jpg',
       'lfw/Mike_Leach/Mike_Leach_0001.jpg',
       'lfw/John_Kerry/John_Kerry_0011.jpg',
       'lfw/Alejandro_Toledo/Alejandro_Toledo_0012.jpg',
       'lfw/Colin_Powell/Colin_Powell_0155.jpg',
       'lfw/Vicente_Fox/Vicente_Fox_0013.jpg',
       'lfw/Akmal_Taher/Akmal_Taher_0001.jpg',
       'lfw/Hamid_Karzai/Hamid_Karzai_0011.jpg',
       'lfw/Marco_Pantani/Marco_Pantani_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0197.jpg',
       'lfw/Queen_Elizabeth_II/Queen_Elizabeth_II_0006.jpg',
       'lfw/Steve_Waugh/Steve_Waugh_0001.jpg',
       'lfw/Tony_Blair/Tony_Blair_0131.jpg',
       'lfw/Stephen_Arigbabu/Stephen_Arigbabu_0001.jpg',
       'lfw/Richard_Branson/Richard_Branson_0001.jpg',
       'lfw/Anne_ONeil/Anne_ONeil_0001.jpg',
       'lfw/Kofi_Annan/Kofi_Annan_0032.jpg',
       'lfw/Shimon_Peres/Shimon_Peres_0008.jpg',
       'lfw/Paulina_Rodriguez_Davila/Paulina_Rodriguez_Davila_0001.jpg',
       'lfw/Jiri_Novak/Jiri_Novak_0008.jpg',
       'lfw/Bruce_Van_De_Velde/Bruce_Van_De_Velde_0001.jpg',
       'lfw/Raquel_Welch/Raquel_Welch_0002.jpg',
       'lfw/Derek_Lowe/Derek_Lowe_0001.jpg',
       'lfw/Paul_Burrell/Paul_Burrell_0001.jpg',
       'lfw/Angelo_Reyes/Angelo_Reyes_0003.jpg',
       'lfw/Mohammed_Dahlan/Mohammed_Dahlan_0001.jpg',
       'lfw/Boris_Becker/Boris_Becker_0006.jpg',
       'lfw/Frank_Van_Ecke/Frank_Van_Ecke_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0010.jpg',
       'lfw/Edmund_Hillary/Edmund_Hillary_0001.jpg',
       'lfw/Gerald_Riley/Gerald_Riley_0001.jpg',
       'lfw/Atiabet_Ijan_Amabel/Atiabet_Ijan_Amabel_0001.jpg',
       'lfw/Gustavo_Kuerten/Gustavo_Kuerten_0002.jpg',
       'lfw/Jerome_Jenkins/Jerome_Jenkins_0001.jpg',
       'lfw/Jesse_Jackson/Jesse_Jackson_0001.jpg',
       'lfw/Talisa_Bratt/Talisa_Bratt_0001.jpg',
       'lfw/Vyacheslav_Fetisov/Vyacheslav_Fetisov_0001.jpg',
       'lfw/Kristin_Davis/Kristin_Davis_0001.jpg',
       'lfw/Marieta_Chrousala/Marieta_Chrousala_0002.jpg',
       'lfw/Thierry_Mariani/Thierry_Mariani_0001.jpg',
       'lfw/Anders_Fogh_Rasmussen/Anders_Fogh_Rasmussen_0001.jpg',
       'lfw/Silvan_Shalom/Silvan_Shalom_0003.jpg',
       'lfw/Makiko_Tanaka/Makiko_Tanaka_0001.jpg',
       'lfw/Howard_Smith/Howard_Smith_0002.jpg',
       'lfw/Colin_Powell/Colin_Powell_0052.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0018.jpg',
       'lfw/Patrick_Clawsen/Patrick_Clawsen_0001.jpg',
       'lfw/Dennis_Hastert/Dennis_Hastert_0006.jpg',
       'lfw/Angelina_Jolie/Angelina_Jolie_0003.jpg',
       'lfw/Tom_Coughlin/Tom_Coughlin_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0398.jpg',
       'lfw/Kevin_Spacey/Kevin_Spacey_0003.jpg',
       'lfw/Tung_Chee-hwa/Tung_Chee-hwa_0005.jpg',
       'lfw/Arnold_Schwarzenegger/Arnold_Schwarzenegger_0031.jpg',
       'lfw/Justin_Timberlake/Justin_Timberlake_0008.jpg',
       'lfw/Pierre_Van_Hooijdonk/Pierre_Van_Hooijdonk_0001.jpg',
       'lfw/Clive_Lloyd/Clive_Lloyd_0001.jpg',
       'lfw/Curtis_Strange/Curtis_Strange_0001.jpg',
       'lfw/Paul_Tagliabue/Paul_Tagliabue_0004.jpg',
       'lfw/Fernando_Gonzalez/Fernando_Gonzalez_0007.jpg',
       'lfw/John_Reid/John_Reid_0001.jpg',
       'lfw/Gil_de_Ferran/Gil_de_Ferran_0004.jpg',
       'lfw/Ruth_Harlow/Ruth_Harlow_0002.jpg',
       'lfw/Guillermo_Coria/Guillermo_Coria_0016.jpg',
       'lfw/Salma_Hayek/Salma_Hayek_0010.jpg',
       'lfw/Jiang_Zemin/Jiang_Zemin_0010.jpg',
       'lfw/Iva_Majoli/Iva_Majoli_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0237.jpg',
       'lfw/Vassilis_Xiros/Vassilis_Xiros_0001.jpg',
       'lfw/Janica_Kostelic/Janica_Kostelic_0001.jpg',
       'lfw/Leo_Mullin/Leo_Mullin_0001.jpg',
       'lfw/Donald_Rumsfeld/Donald_Rumsfeld_0091.jpg',
       'lfw/San_Lan/San_Lan_0001.jpg',
       'lfw/Wilbert_Foy/Wilbert_Foy_0001.jpg',
       'lfw/Eileen_Coparropa/Eileen_Coparropa_0002.jpg',
       'lfw/Duncan_Fletcher/Duncan_Fletcher_0001.jpg',
       'lfw/Andre_Agassi/Andre_Agassi_0017.jpg',
       'lfw/Michael_Chang/Michael_Chang_0006.jpg',
       'lfw/Scott_Wallach/Scott_Wallach_0001.jpg',
       'lfw/Adrien_Brody/Adrien_Brody_0007.jpg',
       'lfw/Brian_McIntyre/Brian_McIntyre_0001.jpg',
       'lfw/Bill_Simon/Bill_Simon_0007.jpg',
       'lfw/Stephan_Eberharter/Stephan_Eberharter_0001.jpg',
       'lfw/Wayne_Gretzky/Wayne_Gretzky_0002.jpg',
       'lfw/Trent_Lott/Trent_Lott_0013.jpg',
       'lfw/Biljana_Plavsic/Biljana_Plavsic_0002.jpg',
       'lfw/Svetlana_Koroleva/Svetlana_Koroleva_0001.jpg',
       'lfw/Maritza_Macias_Furano/Maritza_Macias_Furano_0001.jpg',
       'lfw/Wen_Jiabao/Wen_Jiabao_0005.jpg',
       'lfw/Nicolas_Massu/Nicolas_Massu_0001.jpg',
       'lfw/Marco_Antonio_Barrera/Marco_Antonio_Barrera_0001.jpg',
       'lfw/Dennis_Erickson/Dennis_Erickson_0002.jpg',
       'lfw/Mohammed_Baqir_al-Hakim/Mohammed_Baqir_al-Hakim_0003.jpg',
       'lfw/Jacques_Chirac/Jacques_Chirac_0048.jpg',
       'lfw/Lord_Hutton/Lord_Hutton_0002.jpg',
       'lfw/Paul_Hogan/Paul_Hogan_0002.jpg',
       'lfw/Larry_Lucchino/Larry_Lucchino_0001.jpg',
       'lfw/Frank_Solich/Frank_Solich_0005.jpg',
       'lfw/Bill_Simon/Bill_Simon_0008.jpg',
       'lfw/Michelle_Collins/Michelle_Collins_0002.jpg',
       'lfw/Michael_Ballack/Michael_Ballack_0002.jpg',
       'lfw/Hugo_Chavez/Hugo_Chavez_0067.jpg',
       'lfw/Mitchell_Daniels/Mitchell_Daniels_0002.jpg',
       'lfw/Denzel_Washington/Denzel_Washington_0005.jpg',
       'lfw/George_W_Bush/George_W_Bush_0016.jpg',
       'lfw/Mikhail_Youzhny/Mikhail_Youzhny_0002.jpg',
       'lfw/Tom_Cruise/Tom_Cruise_0005.jpg',
       'lfw/Ai_Sugiyama/Ai_Sugiyama_0004.jpg',
       'lfw/Rachel_Kempson/Rachel_Kempson_0001.jpg',
       'lfw/Jennifer_Lopez/Jennifer_Lopez_0018.jpg',
       'lfw/Megawati_Sukarnoputri/Megawati_Sukarnoputri_0006.jpg',
       'lfw/Sean_Townsend/Sean_Townsend_0001.jpg',
       'lfw/Daniel_Montenegro/Daniel_Montenegro_0001.jpg',
       'lfw/Sharess_Harrell/Sharess_Harrell_0001.jpg',
       'lfw/Dagmar_Dunlevy/Dagmar_Dunlevy_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0337.jpg',
       'lfw/Yuri_Fedotov/Yuri_Fedotov_0001.jpg',
       'lfw/Dale_Earnhardt_Jr/Dale_Earnhardt_Jr_0003.jpg',
       'lfw/John_Anderson/John_Anderson_0001.jpg',
       'lfw/Ed_Smart/Ed_Smart_0001.jpg',
       'lfw/Thierry_Falise/Thierry_Falise_0003.jpg',
       'lfw/Jay_Garner/Jay_Garner_0001.jpg',
       'lfw/Sylvester_Stallone/Sylvester_Stallone_0009.jpg',
       'lfw/Tony_Blair/Tony_Blair_0009.jpg',
       'lfw/Jacques_Chirac/Jacques_Chirac_0046.jpg',
       'lfw/Ricardo_Lagos/Ricardo_Lagos_0025.jpg',
       'lfw/Mike_Myers/Mike_Myers_0006.jpg',
       'lfw/John_Franco/John_Franco_0001.jpg',
       'lfw/Ben_Wallace/Ben_Wallace_0001.jpg',
       'lfw/Tyron_Garner/Tyron_Garner_0002.jpg',
       'lfw/Hamid_Karzai/Hamid_Karzai_0012.jpg',
       'lfw/Goldie_Hawn/Goldie_Hawn_0003.jpg',
       'lfw/Enrica_Fico/Enrica_Fico_0001.jpg',
       'lfw/Gideon_Black/Gideon_Black_0001.jpg',
       'lfw/Leonard_Glick/Leonard_Glick_0001.jpg',
       'lfw/James_Kelly/James_Kelly_0011.jpg',
       'lfw/Gary_Williams/Gary_Williams_0001.jpg',
       'lfw/Marion_Barry/Marion_Barry_0001.jpg',
       'lfw/Gian_Marco/Gian_Marco_0002.jpg',
       'lfw/George_W_Bush/George_W_Bush_0295.jpg',
       'lfw/John_Howard/John_Howard_0009.jpg',
       'lfw/Jennifer_Capriati/Jennifer_Capriati_0032.jpg',
       'lfw/Gloria_Macapagal_Arroyo/Gloria_Macapagal_Arroyo_0043.jpg',
       'lfw/Chris_Thomas/Chris_Thomas_0001.jpg',
       'lfw/Atal_Bihari_Vajpayee/Atal_Bihari_Vajpayee_0015.jpg',
       'lfw/Ed_Case/Ed_Case_0001.jpg',
       'lfw/Tommy_Haas/Tommy_Haas_0001.jpg',
       'lfw/Adrian_Nastase/Adrian_Nastase_0001.jpg',
       'lfw/Stuart_Townsend/Stuart_Townsend_0001.jpg',
       'lfw/Jim_Greenwood/Jim_Greenwood_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0088.jpg',
       'lfw/Andy_North/Andy_North_0001.jpg',
       'lfw/Lucy_Liu/Lucy_Liu_0003.jpg',
       'lfw/Norah_Jones/Norah_Jones_0011.jpg',
       'lfw/John_Howard/John_Howard_0008.jpg',
       'lfw/Filippo_Inzaghi/Filippo_Inzaghi_0002.jpg',
       'lfw/Clare_Latimer/Clare_Latimer_0001.jpg',
       'lfw/Keith_Bogans/Keith_Bogans_0001.jpg',
       'lfw/Elijan_Ingram/Elijan_Ingram_0001.jpg',
       'lfw/Heinz_Feldmann/Heinz_Feldmann_0002.jpg',
       'lfw/Joseph_Safra/Joseph_Safra_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0217.jpg',
       'lfw/Lynne_Cheney/Lynne_Cheney_0001.jpg',
       'lfw/Herb_Ritts/Herb_Ritts_0001.jpg',
       'lfw/Arturo_Gatti/Arturo_Gatti_0003.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0007.jpg',
       'lfw/Monique_Gagnon-Tremblay/Monique_Gagnon-Tremblay_0001.jpg',
       'lfw/Thaksin_Shinawatra/Thaksin_Shinawatra_0001.jpg',
       'lfw/Carlos_Moya/Carlos_Moya_0010.jpg',
       'lfw/Juan_Ignacio_Chela/Juan_Ignacio_Chela_0002.jpg',
       'lfw/Andy_Roddick/Andy_Roddick_0006.jpg',
       'lfw/Edward_Burns/Edward_Burns_0001.jpg',
       'lfw/Donald_Rumsfeld/Donald_Rumsfeld_0097.jpg',
       'lfw/Donna_Walker/Donna_Walker_0001.jpg',
       'lfw/Colleen_Jones/Colleen_Jones_0001.jpg',
       'lfw/Ed_Rendell/Ed_Rendell_0001.jpg',
       'lfw/Jimmy_Carter/Jimmy_Carter_0005.jpg',
       'lfw/Ilham_Aliev/Ilham_Aliev_0001.jpg',
       'lfw/Geno_Auriemma/Geno_Auriemma_0001.jpg',
       'lfw/Kim_Dae-jung/Kim_Dae-jung_0002.jpg',
       'lfw/Mick_Jagger/Mick_Jagger_0004.jpg',
       'lfw/Gary_Coleman/Gary_Coleman_0001.jpg',
       'lfw/Greg_Rusedski/Greg_Rusedski_0003.jpg',
       'lfw/Pat_Cox/Pat_Cox_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0139.jpg',
       'lfw/Leslie_Caldwell/Leslie_Caldwell_0003.jpg',
       'lfw/George_W_Bush/George_W_Bush_0070.jpg',
       'lfw/Donald_Rumsfeld/Donald_Rumsfeld_0015.jpg',
       'lfw/Mahmoud_Abbas/Mahmoud_Abbas_0018.jpg',
       'lfw/Graciano_Rocchigiani/Graciano_Rocchigiani_0001.jpg',
       'lfw/Woody_Allen/Woody_Allen_0003.jpg',
       'lfw/Hans_Corell/Hans_Corell_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0445.jpg',
       'lfw/Miguel_Contreras/Miguel_Contreras_0002.jpg',
       'lfw/Monica_Seles/Monica_Seles_0004.jpg',
       'lfw/Luo_Linquan/Luo_Linquan_0001.jpg',
       'lfw/Elizabeth_Smart/Elizabeth_Smart_0003.jpg',
       'lfw/Michelle_Kwan/Michelle_Kwan_0007.jpg',
       'lfw/Colin_Powell/Colin_Powell_0235.jpg',
       'lfw/Tim_Conway/Tim_Conway_0001.jpg',
       'lfw/Hoda_Asfor/Hoda_Asfor_0001.jpg',
       'lfw/John_Rosa/John_Rosa_0002.jpg',
       'lfw/Chang_Saio-yue/Chang_Saio-yue_0001.jpg',
       'lfw/Tatiana_Paus/Tatiana_Paus_0001.jpg',
       'lfw/Dennis_Powell/Dennis_Powell_0001.jpg',
       'lfw/Mohammad_Khatami/Mohammad_Khatami_0006.jpg',
       'lfw/James_Wallack/James_Wallack_0001.jpg',
       'lfw/Laura_Bush/Laura_Bush_0009.jpg',
       'lfw/Hedayat_Amin_Arsala/Hedayat_Amin_Arsala_0001.jpg',
       'lfw/Vladimir_Putin/Vladimir_Putin_0029.jpg',
       'lfw/Lleyton_Hewitt/Lleyton_Hewitt_0034.jpg',
       'lfw/John_Allen_Muhammad/John_Allen_Muhammad_0007.jpg',
       'lfw/Billy_Donovan/Billy_Donovan_0001.jpg',
       'lfw/Thabo_Mbeki/Thabo_Mbeki_0003.jpg',
       'lfw/Tony_Blair/Tony_Blair_0116.jpg',
       'lfw/Peter_Struck/Peter_Struck_0004.jpg',
       'lfw/Ronnie_Musgrove/Ronnie_Musgrove_0001.jpg',
       'lfw/Liu_Xiaoqing/Liu_Xiaoqing_0001.jpg',
       'lfw/Hugo_Chavez/Hugo_Chavez_0028.jpg',
       'lfw/Jean-Pierre_Raffarin/Jean-Pierre_Raffarin_0004.jpg',
       'lfw/Augusto_Pinochet/Augusto_Pinochet_0002.jpg',
       'lfw/Petria_Thomas/Petria_Thomas_0003.jpg',
       'lfw/Bruce_Lunsford/Bruce_Lunsford_0001.jpg',
       'lfw/Heather_Whitestone_McCallum/Heather_Whitestone_McCallum_0001.jpg',
       'lfw/Robert_Weitzel/Robert_Weitzel_0001.jpg',
       'lfw/Sila_Calderon/Sila_Calderon_0004.jpg',
       'lfw/Roh_Moo-hyun/Roh_Moo-hyun_0022.jpg',
       'lfw/Victor_Kraatz/Victor_Kraatz_0001.jpg',
       'lfw/Frank_Solich/Frank_Solich_0004.jpg',
       'lfw/Rob_Niedermayer/Rob_Niedermayer_0001.jpg',
       'lfw/Robert_Wagner/Robert_Wagner_0001.jpg',
       'lfw/James_Schultz/James_Schultz_0001.jpg',
       'lfw/Amelie_Mauresmo/Amelie_Mauresmo_0016.jpg',
       'lfw/Laura_Bush/Laura_Bush_0028.jpg',
       'lfw/Begum_Khaleda_Zia/Begum_Khaleda_Zia_0001.jpg',
       'lfw/Linda_Baboolal/Linda_Baboolal_0001.jpg',
       'lfw/Megawati_Sukarnoputri/Megawati_Sukarnoputri_0011.jpg',
       'lfw/Joseph_Galante/Joseph_Galante_0001.jpg',
       'lfw/Arnold_Schwarzenegger/Arnold_Schwarzenegger_0020.jpg',
       'lfw/Bashar_Assad/Bashar_Assad_0003.jpg',
       'lfw/Paul_Krueger/Paul_Krueger_0001.jpg',
       'lfw/Severino_Antinori/Severino_Antinori_0001.jpg',
       'lfw/Ariel_Sharon/Ariel_Sharon_0028.jpg',
       'lfw/Gabriel_Batistuta/Gabriel_Batistuta_0002.jpg',
       'lfw/Larry_Johnson/Larry_Johnson_0001.jpg',
       'lfw/Luiz_Inacio_Lula_da_Silva/Luiz_Inacio_Lula_da_Silva_0015.jpg',
       'lfw/Recep_Tayyip_Erdogan/Recep_Tayyip_Erdogan_0011.jpg',
       'lfw/Harrison_Ford/Harrison_Ford_0004.jpg',
       'lfw/Julianne_Moore/Julianne_Moore_0006.jpg',
       'lfw/Larry_Nichols/Larry_Nichols_0001.jpg',
       'lfw/Bison_Dele/Bison_Dele_0001.jpg',
       'lfw/Yoriko_Kawaguchi/Yoriko_Kawaguchi_0011.jpg',
       'lfw/Gary_Gitnick/Gary_Gitnick_0001.jpg',
       'lfw/Robinson_Stevenin/Robinson_Stevenin_0001.jpg',
       'lfw/Leslie_Ann_Woodward/Leslie_Ann_Woodward_0002.jpg',
       'lfw/Jose_Manuel_Durao_Barroso/Jose_Manuel_Durao_Barroso_0005.jpg',
       'lfw/Lou_Piniella/Lou_Piniella_0002.jpg',
       'lfw/Dennis_Archer/Dennis_Archer_0001.jpg',
       'lfw/Pervez_Musharraf/Pervez_Musharraf_0003.jpg',
       'lfw/Atal_Bihari_Vajpayee/Atal_Bihari_Vajpayee_0006.jpg',
       'lfw/Robert_Duvall/Robert_Duvall_0002.jpg',
       'lfw/Emile_Lahoud/Emile_Lahoud_0002.jpg',
       'lfw/William_Hurt/William_Hurt_0001.jpg',
       'lfw/Andrew_Luster/Andrew_Luster_0001.jpg',
       'lfw/Sonia_Gandhi/Sonia_Gandhi_0001.jpg',
       'lfw/Dan_Wheldon/Dan_Wheldon_0001.jpg',
       'lfw/Rand_Beers/Rand_Beers_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0172.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0002.jpg',
       'lfw/Nate_Hybl/Nate_Hybl_0001.jpg',
       'lfw/Condoleezza_Rice/Condoleezza_Rice_0009.jpg',
       'lfw/Andrew_Gilligan/Andrew_Gilligan_0001.jpg',
       'lfw/Norah_Jones/Norah_Jones_0004.jpg',
       'lfw/Sanjay_Chawla/Sanjay_Chawla_0001.jpg',
       'lfw/Bob_Stoops/Bob_Stoops_0006.jpg',
       'lfw/Andy_Roddick/Andy_Roddick_0014.jpg',
       'lfw/Laura_Bush/Laura_Bush_0015.jpg',
       'lfw/Catherine_Zeta-Jones/Catherine_Zeta-Jones_0008.jpg',
       'lfw/Peter_Ueberroth/Peter_Ueberroth_0001.jpg',
       'lfw/Lyle_Lovett/Lyle_Lovett_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0062.jpg',
       'lfw/John_Manley/John_Manley_0007.jpg',
       'lfw/Colin_Powell/Colin_Powell_0171.jpg',
       'lfw/Lleyton_Hewitt/Lleyton_Hewitt_0010.jpg',
       'lfw/Colin_Powell/Colin_Powell_0157.jpg',
       'lfw/Jonathan_Edwards/Jonathan_Edwards_0004.jpg',
       'lfw/Ciro_Gomes/Ciro_Gomes_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0382.jpg',
       'lfw/Judith_Nathan/Judith_Nathan_0001.jpg',
       'lfw/Bud_Selig/Bud_Selig_0003.jpg',
       'lfw/David_McCullough/David_McCullough_0001.jpg',
       'lfw/Norm_Coleman/Norm_Coleman_0003.jpg',
       'lfw/Maggie_Cheung/Maggie_Cheung_0001.jpg',
       'lfw/Tang_Jiaxuan/Tang_Jiaxuan_0005.jpg',
       'lfw/Lynne_Cheney/Lynne_Cheney_0002.jpg',
       'lfw/Jose_Maria_Aznar/Jose_Maria_Aznar_0012.jpg',
       'lfw/Colin_Powell/Colin_Powell_0119.jpg',
       'lfw/Paula_Radcliffe/Paula_Radcliffe_0002.jpg',
       'lfw/Paul_Wolfowitz/Paul_Wolfowitz_0005.jpg',
       'lfw/Tom_Daschle/Tom_Daschle_0012.jpg',
       'lfw/Joseph_Hoy/Joseph_Hoy_0001.jpg',
       'lfw/Todd_MacCulloch/Todd_MacCulloch_0001.jpg',
       'lfw/Cindy_Moll/Cindy_Moll_0001.jpg',
       'lfw/Geno_Auriemma/Geno_Auriemma_0002.jpg',
       'lfw/Ozzy_Osbourne/Ozzy_Osbourne_0003.jpg',
       'lfw/Sila_Calderon/Sila_Calderon_0002.jpg',
       'lfw/Michael_Moore/Michael_Moore_0002.jpg',
       'lfw/Peter_Mullan/Peter_Mullan_0001.jpg',
       'lfw/Bulent_Ecevit/Bulent_Ecevit_0003.jpg',
       'lfw/Eric_Benet/Eric_Benet_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0036.jpg',
       'lfw/Jeremy_Greenstock/Jeremy_Greenstock_0024.jpg',
       'lfw/Michael_Jasny/Michael_Jasny_0001.jpg',
       'lfw/Christian_Von_Wernich/Christian_Von_Wernich_0001.jpg',
       'lfw/Norm_Coleman/Norm_Coleman_0001.jpg',
       'lfw/Pete_Gillen/Pete_Gillen_0001.jpg',
       'lfw/Queen_Latifah/Queen_Latifah_0004.jpg',
       'lfw/Jayson_Williams/Jayson_Williams_0002.jpg',
       'lfw/Edward_Norton/Edward_Norton_0002.jpg',
       'lfw/Jennifer_Aniston/Jennifer_Aniston_0002.jpg',
       'lfw/Maria_Simon/Maria_Simon_0001.jpg',
       'lfw/Marc_Racicot/Marc_Racicot_0001.jpg',
       'lfw/Julio_Iglesias_Jr/Julio_Iglesias_Jr_0002.jpg',
       'lfw/Caio_Blat/Caio_Blat_0001.jpg',
       'lfw/Pamela_Melroy/Pamela_Melroy_0001.jpg',
       'lfw/Phil_McGraw/Phil_McGraw_0001.jpg',
       'lfw/Horace_Newcomb/Horace_Newcomb_0001.jpg',
       'lfw/Hillary_Clinton/Hillary_Clinton_0014.jpg',
       'lfw/Tina_Andrews/Tina_Andrews_0001.jpg',
       'lfw/Mario_Austin/Mario_Austin_0001.jpg',
       'lfw/Ana_Claudia_Talancon/Ana_Claudia_Talancon_0001.jpg',
       'lfw/Habib_Rizieq/Habib_Rizieq_0002.jpg',
       'lfw/Roberto_Carlos/Roberto_Carlos_0003.jpg',
       'lfw/Hillary_Clinton/Hillary_Clinton_0003.jpg',
       'lfw/Woody_Allen/Woody_Allen_0005.jpg',
       'lfw/Robert_Zoellick/Robert_Zoellick_0006.jpg',
       'lfw/Martha_Stewart/Martha_Stewart_0004.jpg',
       'lfw/Placido_Domingo/Placido_Domingo_0001.jpg',
       'lfw/Alex_Penelas/Alex_Penelas_0001.jpg',
       'lfw/David_Beckham/David_Beckham_0002.jpg',
       'lfw/Karen_Allen/Karen_Allen_0001.jpg',
       'lfw/John_Allen_Muhammad/John_Allen_Muhammad_0005.jpg',
       'lfw/Michelle_Bachelet/Michelle_Bachelet_0001.jpg',
       'lfw/Hassanal_Bolkiah/Hassanal_Bolkiah_0001.jpg',
       'lfw/Tom_Craddick/Tom_Craddick_0004.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0094.jpg',
       'lfw/Mary_Elizabeth_Mastrantonio/Mary_Elizabeth_Mastrantonio_0001.jpg',
       'lfw/Reese_Witherspoon/Reese_Witherspoon_0001.jpg',
       'lfw/Ray_Romano/Ray_Romano_0002.jpg',
       'lfw/Hisao_Oguchi/Hisao_Oguchi_0002.jpg',
       'lfw/Arnold_Schwarzenegger/Arnold_Schwarzenegger_0032.jpg',
       'lfw/Luis_Ernesto_Derbez_Bautista/Luis_Ernesto_Derbez_Bautista_0006.jpg',
       'lfw/Janet_Crawford/Janet_Crawford_0001.jpg',
       'lfw/Jorge_Castaneda/Jorge_Castaneda_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0066.jpg',
       'lfw/Joe_Lieberman/Joe_Lieberman_0012.jpg',
       'lfw/Albert_Costa/Albert_Costa_0001.jpg',
       'lfw/Hashim_Thaci/Hashim_Thaci_0002.jpg',
       'lfw/Jorge_Arce/Jorge_Arce_0002.jpg',
       'lfw/Tony_Blair/Tony_Blair_0140.jpg',
       'lfw/Kelli_White/Kelli_White_0001.jpg',
       'lfw/Joschka_Fischer/Joschka_Fischer_0006.jpg',
       'lfw/Jose_Canseco/Jose_Canseco_0003.jpg',
       'lfw/Serena_Williams/Serena_Williams_0029.jpg',
       'lfw/Michael_Doleac/Michael_Doleac_0001.jpg',
       'lfw/Larry_Lindsey/Larry_Lindsey_0001.jpg',
       'lfw/Fidel_Castro/Fidel_Castro_0015.jpg',
       'lfw/Robert_Douglas/Robert_Douglas_0001.jpg',
       'lfw/Bernardo_Segura/Bernardo_Segura_0002.jpg',
       'lfw/Tex_Ritter/Tex_Ritter_0001.jpg',
       'lfw/Antwun_Echols/Antwun_Echols_0001.jpg',
       'lfw/Venus_Williams/Venus_Williams_0001.jpg',
       'lfw/Timbul_Silaen/Timbul_Silaen_0001.jpg',
       'lfw/Mike_Krzyzewski/Mike_Krzyzewski_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0131.jpg',
       'lfw/Mario_Cipollini/Mario_Cipollini_0002.jpg',
       'lfw/Sergei_Ivanov/Sergei_Ivanov_0002.jpg',
       'lfw/George_W_Bush/George_W_Bush_0363.jpg',
       'lfw/Roger_Daltrey/Roger_Daltrey_0001.jpg',
       'lfw/George_Robertson/George_Robertson_0014.jpg',
       'lfw/Trent_Lott/Trent_Lott_0010.jpg',
       'lfw/Jaime_Pressly/Jaime_Pressly_0001.jpg',
       'lfw/Dale_Earnhardt_Jr/Dale_Earnhardt_Jr_0001.jpg',
       'lfw/Janez_Drnovsek/Janez_Drnovsek_0001.jpg',
       'lfw/Ariel_Sharon/Ariel_Sharon_0005.jpg',
       'lfw/Jean-Marc_de_La_Sabliere/Jean-Marc_de_La_Sabliere_0001.jpg',
       'lfw/Alexandra_Vodjanikova/Alexandra_Vodjanikova_0002.jpg',
       'lfw/George_W_Bush/George_W_Bush_0247.jpg',
       'lfw/Sean_OKeefe/Sean_OKeefe_0003.jpg',
       'lfw/Gerry_Adams/Gerry_Adams_0004.jpg',
       'lfw/Lisa_Ling/Lisa_Ling_0001.jpg',
       'lfw/Mark_Philippoussis/Mark_Philippoussis_0009.jpg',
       'lfw/Brandon_Robinson/Brandon_Robinson_0001.jpg',
       'lfw/Yoriko_Kawaguchi/Yoriko_Kawaguchi_0005.jpg',
       'lfw/Colin_Powell/Colin_Powell_0213.jpg',
       'lfw/Alan_Ball/Alan_Ball_0002.jpg',
       'lfw/Silvio_Berlusconi/Silvio_Berlusconi_0033.jpg',
       'lfw/Imad_Khadduri/Imad_Khadduri_0001.jpg',
       'lfw/Ali_Fallahian/Ali_Fallahian_0001.jpg',
       'lfw/Takashi_Yamamoto/Takashi_Yamamoto_0001.jpg',
       'lfw/Roger_Federer/Roger_Federer_0007.jpg',
       'lfw/Maria_Shriver/Maria_Shriver_0007.jpg',
       'lfw/Abraham_Foxman/Abraham_Foxman_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0134.jpg',
       'lfw/Joe_Metz/Joe_Metz_0001.jpg',
       'lfw/Nathalia_Gillot/Nathalia_Gillot_0001.jpg',
       'lfw/Paul_Burrell/Paul_Burrell_0009.jpg',
       'lfw/Rick_Pitino/Rick_Pitino_0004.jpg',
       'lfw/John_Cusack/John_Cusack_0002.jpg',
       'lfw/Michael_Keaton/Michael_Keaton_0002.jpg',
       'lfw/Richard_Armitage/Richard_Armitage_0008.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0104.jpg',
       'lfw/Barry_Bonds/Barry_Bonds_0001.jpg',
       'lfw/Serena_Williams/Serena_Williams_0018.jpg',
       'lfw/Tiger_Woods/Tiger_Woods_0007.jpg',
       'lfw/Elizabeth_Smart/Elizabeth_Smart_0004.jpg',
       'lfw/James_Wolfensohn/James_Wolfensohn_0003.jpg',
       'lfw/Jack_Straw/Jack_Straw_0025.jpg',
       'lfw/Tom_Ridge/Tom_Ridge_0026.jpg',
       'lfw/Bill_Graham/Bill_Graham_0009.jpg',
       'lfw/Jason_Kidd/Jason_Kidd_0004.jpg',
       'lfw/Tim_Duncan/Tim_Duncan_0004.jpg',
       'lfw/Matt_Dillon/Matt_Dillon_0002.jpg',
       'lfw/Candice_Bergen/Candice_Bergen_0003.jpg',
       'lfw/Claudette_Robinson/Claudette_Robinson_0001.jpg',
       'lfw/Gloria_Macapagal_Arroyo/Gloria_Macapagal_Arroyo_0023.jpg',
       'lfw/Gregory_Geoffroy/Gregory_Geoffroy_0002.jpg',
       'lfw/Rudolph_Giuliani/Rudolph_Giuliani_0020.jpg',
       'lfw/Betsy_Coffin/Betsy_Coffin_0001.jpg',
       'lfw/Jean_Chretien/Jean_Chretien_0032.jpg',
       'lfw/Jennifer_Lopez/Jennifer_Lopez_0019.jpg',
       'lfw/George_W_Bush/George_W_Bush_0488.jpg',
       'lfw/John_Manley/John_Manley_0004.jpg',
       'lfw/Fred_Thompson/Fred_Thompson_0001.jpg',
       'lfw/Jan-Michael_Gambill/Jan-Michael_Gambill_0001.jpg',
       'lfw/Tony_Blair/Tony_Blair_0011.jpg',
       'lfw/Lisa_Ling/Lisa_Ling_0002.jpg',
       'lfw/Bijan_Namdar_Zangeneh/Bijan_Namdar_Zangeneh_0001.jpg',
       'lfw/Larry_Brown/Larry_Brown_0006.jpg',
       'lfw/Kenneth_Evans/Kenneth_Evans_0001.jpg',
       'lfw/Giselle_Estefania_Tavarelli/Giselle_Estefania_Tavarelli_0001.jpg',
       'lfw/Ralph_Firman/Ralph_Firman_0001.jpg',
       'lfw/Joan_Laporta/Joan_Laporta_0007.jpg',
       'lfw/Steve_Valentine/Steve_Valentine_0001.jpg',
       'lfw/Gary_Dellaverson/Gary_Dellaverson_0001.jpg',
       'lfw/Brad_Garrett/Brad_Garrett_0003.jpg',
       'lfw/Ed_Sullivan/Ed_Sullivan_0001.jpg',
       'lfw/Michelle_Yeoh/Michelle_Yeoh_0004.jpg',
       'lfw/Diana_Krall/Diana_Krall_0001.jpg',
       'lfw/Jennifer_Capriati/Jennifer_Capriati_0030.jpg',
       'lfw/Michael_Douglas/Michael_Douglas_0006.jpg',
       'lfw/Elgin_Baylor/Elgin_Baylor_0001.jpg',
       'lfw/Lily_Tomlin/Lily_Tomlin_0002.jpg',
       'lfw/Ben_Affleck/Ben_Affleck_0003.jpg',
       'lfw/Abdullah_al-Attiyah/Abdullah_al-Attiyah_0003.jpg',
       'lfw/Patricia_Clarkson/Patricia_Clarkson_0003.jpg',
       'lfw/Art_Howe/Art_Howe_0003.jpg',
       'lfw/Johnny_Carson/Johnny_Carson_0002.jpg',
       'lfw/Monica_Gabrielle/Monica_Gabrielle_0001.jpg',
       'lfw/Christian_Wulff/Christian_Wulff_0002.jpg',
       'lfw/Earl_Campbell/Earl_Campbell_0001.jpg',
       'lfw/Elvis_Presley/Elvis_Presley_0002.jpg',
       'lfw/Hugo_Chavez/Hugo_Chavez_0062.jpg',
       'lfw/Jimmy_Carter/Jimmy_Carter_0001.jpg',
       'lfw/Bill_Rainer/Bill_Rainer_0001.jpg',
       'lfw/Win_Aung/Win_Aung_0001.jpg',
       'lfw/Prince_Naruhito/Prince_Naruhito_0001.jpg',
       'lfw/Colin_Jackson/Colin_Jackson_0002.jpg',
       'lfw/Spike_Helmick/Spike_Helmick_0001.jpg',
       'lfw/Yann_Martel/Yann_Martel_0001.jpg',
       'lfw/Pham_Sy_Chien/Pham_Sy_Chien_0001.jpg',
       'lfw/Gloria_Macapagal_Arroyo/Gloria_Macapagal_Arroyo_0030.jpg',
       'lfw/Jack_Straw/Jack_Straw_0005.jpg',
       'lfw/Hamid_Karzai/Hamid_Karzai_0013.jpg',
       'lfw/Dominique_de_Villepin/Dominique_de_Villepin_0005.jpg',
       'lfw/Jeremy_Wotherspoon/Jeremy_Wotherspoon_0001.jpg',
       'lfw/Bill_Clinton/Bill_Clinton_0017.jpg',
       'lfw/Paul_Sarbanes/Paul_Sarbanes_0002.jpg',
       'lfw/Jerry_Sexton/Jerry_Sexton_0001.jpg',
       'lfw/Malcolm_Glazer/Malcolm_Glazer_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0304.jpg',
       'lfw/David_Beckham/David_Beckham_0020.jpg',
       'lfw/Michael_Chang/Michael_Chang_0003.jpg',
       'lfw/John_Abizaid/John_Abizaid_0009.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0096.jpg',
       'lfw/Chanda_Rubin/Chanda_Rubin_0003.jpg',
       'lfw/Kathryn_Morris/Kathryn_Morris_0001.jpg',
       'lfw/Lance_Armstrong/Lance_Armstrong_0005.jpg',
       'lfw/Allyson_Felix/Allyson_Felix_0002.jpg',
       'lfw/George_W_Bush/George_W_Bush_0411.jpg',
       'lfw/John_Howard/John_Howard_0003.jpg',
       'lfw/Saddam_Hussein/Saddam_Hussein_0010.jpg',
       'lfw/Shirley_Jones/Shirley_Jones_0001.jpg',
       'lfw/Glen_Sather/Glen_Sather_0001.jpg',
       'lfw/Dolly_Parton/Dolly_Parton_0001.jpg',
       'lfw/Aicha_El_Ouafi/Aicha_El_Ouafi_0001.jpg',
       'lfw/Rudolph_Giuliani/Rudolph_Giuliani_0021.jpg',
       'lfw/Conchita_Martinez/Conchita_Martinez_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0232.jpg',
       'lfw/Mary_Sue_Coleman/Mary_Sue_Coleman_0001.jpg',
       'lfw/Venus_Williams/Venus_Williams_0004.jpg',
       'lfw/Dick_Clark/Dick_Clark_0002.jpg',
       'lfw/Claudio_Lopez/Claudio_Lopez_0001.jpg',
       'lfw/Laura_Bush/Laura_Bush_0032.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0047.jpg',
       'lfw/Bruce_Springsteen/Bruce_Springsteen_0002.jpg',
       'lfw/Darryl_Stingley/Darryl_Stingley_0001.jpg',
       'lfw/Tim_Duncan/Tim_Duncan_0002.jpg',
       'lfw/Tony_Blair/Tony_Blair_0057.jpg',
       'lfw/Angelina_Jolie/Angelina_Jolie_0020.jpg',
       'lfw/Tony_Blair/Tony_Blair_0123.jpg',
       'lfw/Suh_Young-hoon/Suh_Young-hoon_0001.jpg',
       'lfw/Laura_Bush/Laura_Bush_0011.jpg',
       'lfw/Hu_Jintao/Hu_Jintao_0003.jpg',
       'lfw/Sedigh_Barmak/Sedigh_Barmak_0001.jpg',
       'lfw/Dennis_Powell/Dennis_Powell_0002.jpg',
       'lfw/Jennifer_Keller/Jennifer_Keller_0001.jpg',
       'lfw/Martha_Lucia_Ramirez/Martha_Lucia_Ramirez_0001.jpg',
       'lfw/Charley_Armey/Charley_Armey_0001.jpg',
       'lfw/Sterling_Hitchcock/Sterling_Hitchcock_0001.jpg',
       'lfw/Mohamed_Benaissa/Mohamed_Benaissa_0002.jpg',
       'lfw/Julianna_Margulies/Julianna_Margulies_0001.jpg',
       'lfw/George_Robertson/George_Robertson_0018.jpg',
       'lfw/Dirk_Kempthorne/Dirk_Kempthorne_0001.jpg',
       'lfw/Laura_Bush/Laura_Bush_0008.jpg',
       'lfw/Lleyton_Hewitt/Lleyton_Hewitt_0008.jpg',
       'lfw/Yang_Pao-yu/Yang_Pao-yu_0001.jpg',
       'lfw/Rick_Perry/Rick_Perry_0005.jpg',
       'lfw/Julie_Gerberding/Julie_Gerberding_0003.jpg',
       'lfw/Anthony_Fauci/Anthony_Fauci_0001.jpg',
       'lfw/John_Ashcroft/John_Ashcroft_0005.jpg',
       'lfw/Daisy_Fuentes/Daisy_Fuentes_0004.jpg',
       'lfw/Pedro_Pauleta/Pedro_Pauleta_0001.jpg',
       'lfw/Tim_Floyd/Tim_Floyd_0001.jpg',
       'lfw/Miles_Stewart/Miles_Stewart_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0122.jpg',
       'lfw/Trevor_McDonald/Trevor_McDonald_0001.jpg',
       'lfw/Linda_Lingle/Linda_Lingle_0001.jpg',
       'lfw/Jim_Furyk/Jim_Furyk_0001.jpg',
       'lfw/Rick_Santorum/Rick_Santorum_0001.jpg',
       'lfw/Jo_Dee_Messina/Jo_Dee_Messina_0001.jpg',
       'lfw/Junichiro_Koizumi/Junichiro_Koizumi_0011.jpg',
       'lfw/John_Negroponte/John_Negroponte_0011.jpg',
       'lfw/Naomi_Watts/Naomi_Watts_0011.jpg',
       'lfw/Gary_Bald/Gary_Bald_0001.jpg',
       'lfw/Ben_Broussard/Ben_Broussard_0001.jpg',
       'lfw/David_Nalbandian/David_Nalbandian_0004.jpg',
       'lfw/Benazir_Bhutto/Benazir_Bhutto_0005.jpg',
       'lfw/Peter_Harrison/Peter_Harrison_0001.jpg',
       'lfw/Michael_Caine/Michael_Caine_0004.jpg',
       'lfw/Ann_Veneman/Ann_Veneman_0007.jpg',
       'lfw/Laura_Bozzo/Laura_Bozzo_0001.jpg',
       'lfw/Mary_Carey/Mary_Carey_0004.jpg',
       'lfw/Leni_Bjorklund/Leni_Bjorklund_0001.jpg',
       'lfw/Colin_Powell/Colin_Powell_0034.jpg',
       'lfw/Hidetoshi_Nakata/Hidetoshi_Nakata_0001.jpg',
       'lfw/Robert_De_Niro/Robert_De_Niro_0003.jpg',
       'lfw/Hamid_Karzai/Hamid_Karzai_0006.jpg',
       'lfw/Yashwant_Sinha/Yashwant_Sinha_0004.jpg',
       'lfw/Colin_Powell/Colin_Powell_0172.jpg',
       'lfw/Gary_Doer/Gary_Doer_0002.jpg',
       'lfw/Donald_Rumsfeld/Donald_Rumsfeld_0046.jpg',
       'lfw/Mitzi_Gaynor/Mitzi_Gaynor_0001.jpg',
       'lfw/Kristanna_Loken/Kristanna_Loken_0005.jpg',
       'lfw/Dorthy_Moxley/Dorthy_Moxley_0002.jpg',
       'lfw/Bernardo_Segura/Bernardo_Segura_0001.jpg',
       'lfw/Lindsay_Davenport/Lindsay_Davenport_0006.jpg',
       'lfw/Maria_Soledad_Alvear_Valenzuela/Maria_Soledad_Alvear_Valenzuela_0002.jpg',
       'lfw/Leland_Chapman/Leland_Chapman_0001.jpg',
       'lfw/Zalmay_Khalilzad/Zalmay_Khalilzad_0001.jpg',
       'lfw/Tim_Pawlenty/Tim_Pawlenty_0001.jpg',
       'lfw/Imam_Samudra/Imam_Samudra_0001.jpg',
       'lfw/Aleksander_Kwasniewski/Aleksander_Kwasniewski_0002.jpg',
       'lfw/Yevgeny_Kafelnikov/Yevgeny_Kafelnikov_0002.jpg',
       'lfw/Laurie_Chan/Laurie_Chan_0001.jpg',
       'lfw/Fabian_Vargas/Fabian_Vargas_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0080.jpg',
       'lfw/Jennie_Finch/Jennie_Finch_0001.jpg',
       'lfw/Todd_Parrott/Todd_Parrott_0001.jpg',
       'lfw/George_W_Bush/George_W_Bush_0489.jpg',
       'lfw/Ray_Romano/Ray_Romano_0005.jpg',
       'lfw/Mohammed_Salmane/Mohammed_Salmane_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0057.jpg',
       'lfw/Kim_Su_Nam/Kim_Su_Nam_0001.jpg',
       'lfw/Roh_Moo-hyun/Roh_Moo-hyun_0023.jpg',
       'lfw/Pete_Sampras/Pete_Sampras_0016.jpg',
       'lfw/OJ_Simpson/OJ_Simpson_0001.jpg',
       'lfw/Larry_Donald/Larry_Donald_0001.jpg',
       'lfw/Spencer_Abraham/Spencer_Abraham_0006.jpg',
       'lfw/Cristina_Kirchner/Cristina_Kirchner_0001.jpg',
       'lfw/Jaime_Orti/Jaime_Orti_0001.jpg',
       'lfw/Bill_McBride/Bill_McBride_0003.jpg',
       'lfw/David_Kelley/David_Kelley_0001.jpg',
       'lfw/Monica_Bellucci/Monica_Bellucci_0002.jpg',
       'lfw/George_W_Bush/George_W_Bush_0163.jpg',
       'lfw/Jong_Wook_Lee/Jong_Wook_Lee_0003.jpg',
       'lfw/Babe_Ruth/Babe_Ruth_0001.jpg',
       'lfw/Tom_Glavine/Tom_Glavine_0001.jpg',
       'lfw/Kobe_Bryant/Kobe_Bryant_0003.jpg',
       'lfw/David_Spade/David_Spade_0002.jpg',
       'lfw/Steve_Phillips/Steve_Phillips_0001.jpg',
       'lfw/Jason_Kidd/Jason_Kidd_0003.jpg',
       'lfw/Oscar_DLeon/Oscar_DLeon_0001.jpg',
       'lfw/Fidel_Castro/Fidel_Castro_0013.jpg',
       'lfw/Lucio_Gutierrez/Lucio_Gutierrez_0003.jpg',
       'lfw/Monica_Seles/Monica_Seles_0005.jpg',
       'lfw/Viara_Vike-Freiberga/Viara_Vike-Freiberga_0001.jpg',
       'lfw/Martin_McGuinness/Martin_McGuinness_0002.jpg',
       'lfw/Terje_Roed-Larsen/Terje_Roed-Larsen_0002.jpg',
       'lfw/Hugo_Chavez/Hugo_Chavez_0042.jpg',
       'lfw/Hussam_Mohammed_Amin/Hussam_Mohammed_Amin_0001.jpg',
       'lfw/Joey_Harrington/Joey_Harrington_0001.jpg',
       'lfw/Claudia_Schiffer/Claudia_Schiffer_0003.jpg',
       'lfw/Harrison_Ford/Harrison_Ford_0005.jpg',
       'lfw/Michelle_Kwan/Michelle_Kwan_0002.jpg',
       'lfw/Sananda_Maitreya/Sananda_Maitreya_0001.jpg',
       'lfw/Spencer_Abraham/Spencer_Abraham_0014.jpg',
       'lfw/Gilberto_Rodriguez_Orejuela/Gilberto_Rodriguez_Orejuela_0003.jpg',
       'lfw/Serena_Williams/Serena_Williams_0025.jpg',
       'lfw/Clara_Harris/Clara_Harris_0002.jpg',
       'lfw/Rudolph_Giuliani/Rudolph_Giuliani_0009.jpg',
       'lfw/George_W_Bush/George_W_Bush_0100.jpg',
       'lfw/Michael_Bloomberg/Michael_Bloomberg_0018.jpg',
       'lfw/Pete_Sampras/Pete_Sampras_0019.jpg',
       'lfw/Infanta_Cristina/Infanta_Cristina_0001.jpg',
       'lfw/Tony_Blair/Tony_Blair_0003.jpg',
       'lfw/Surakait_Sathirathai/Surakait_Sathirathai_0001.jpg',
       'lfw/Hans_Blix/Hans_Blix_0005.jpg',
       'lfw/Jeremy_Greenstock/Jeremy_Greenstock_0020.jpg',
       'lfw/Dalai_Lama/Dalai_Lama_0001.jpg',
       'lfw/Ahmed_Chalabi/Ahmed_Chalabi_0005.jpg',
       'lfw/Ivan_Shvedoff/Ivan_Shvedoff_0001.jpg',
       'lfw/John_Wright/John_Wright_0001.jpg',
       'lfw/John_McCain/John_McCain_0005.jpg',
       'lfw/Jason_Lezak/Jason_Lezak_0002.jpg',
       'lfw/Jean_Chretien/Jean_Chretien_0045.jpg',
       'lfw/Federico_Trillo/Federico_Trillo_0001.jpg',
       'lfw/Antonio_Banderas/Antonio_Banderas_0002.jpg',
       'lfw/Lleyton_Hewitt/Lleyton_Hewitt_0035.jpg',
       'lfw/Shane_Reynolds/Shane_Reynolds_0001.jpg',
       'lfw/Gerhard_Schroeder/Gerhard_Schroeder_0070.jpg',
       'lfw/Bill_Duffey/Bill_Duffey_0001.jpg',
       'lfw/Donald_Rumsfeld/Donald_Rumsfeld_0016.jpg',
       'lfw/Scott_Ritter/Scott_Ritter_0001.jpg',
       'lfw/Jake_Gyllenhaal/Jake_Gyllenhaal_0003.jpg',
       'lfw/Gregory_Hines/Gregory_Hines_0002.jpg',
       'lfw/Carson_Palmer/Carson_Palmer_0002.jpg',
       'lfw/Kathleen_Abernathy/Kathleen_Abernathy_0001.jpg',
       'lfw/Oxana_Fedorova/Oxana_Fedorova_0001.jpg',
       'lfw/Yoko_Ono/Yoko_Ono_0003.jpg',
       'lfw/Mark_Gottfried/Mark_Gottfried_0001.jpg',
       'lfw/Kyra_Sedgwick/Kyra_Sedgwick_0001.jpg',
       'lfw/Amanda_Plumer/Amanda_Plumer_0001.jpg',
       'lfw/Carlos_Moya/Carlos_Moya_0007.jpg',
       'lfw/Donald_Rumsfeld/Donald_Rumsfeld_0061.jpg',
       'lfw/John_Hartson/John_Hartson_0001.jpg',
       'lfw/Sarah_Price/Sarah_Price_0001.jpg',
       'lfw/John_Negroponte/John_Negroponte_0029.jpg',
       'lfw/Andre_Agassi/Andre_Agassi_0015.jpg',
       'lfw/Mahathir_Mohamad/Mahathir_Mohamad_0007.jpg',
       'lfw/Sarah_Hughes/Sarah_Hughes_0006.jpg',
       'lfw/Pierce_Brosnan/Pierce_Brosnan_0007.jpg',
       'lfw/Johnny_Benson/Johnny_Benson_0001.jpg',
       'lfw/Jennifer_Aniston/Jennifer_Aniston_0009.jpg',
       'lfw/Heizo_Takenaka/Heizo_Takenaka_0003.jpg',
       'lfw/Ivo_Dubs/Ivo_Dubs_0001.jpg',
       'lfw/Jeremy_Greenstock/Jeremy_Greenstock_0004.jpg',
       'lfw/Lleyton_Hewitt/Lleyton_Hewitt_0004.jpg',
       'lfw/Laura_Bush/Laura_Bush_0005.jpg',
       'lfw/Jean_Chretien/Jean_Chretien_0035.jpg',
       'lfw/Henrique_Meirelles/Henrique_Meirelles_0001.jpg',
       'lfw/Samuel_Waksal/Samuel_Waksal_0003.jpg',
       'lfw/Kevin_Nealon/Kevin_Nealon_0001.jpg',
       'lfw/Sean_OKeefe/Sean_OKeefe_0002.jpg',
       'lfw/Felix_Mantilla/Felix_Mantilla_0002.jpg',
       'lfw/Chin-Feng_Chen/Chin-Feng_Chen_0001.jpg',
       'lfw/Dyab_Abou_Jahjah/Dyab_Abou_Jahjah_0001.jpg',
       'lfw/Patty_Schnyder/Patty_Schnyder_0001.jpg',
       'lfw/Howard_Dean/Howard_Dean_0006.jpg',
       'lfw/Claire_Danes/Claire_Danes_0003.jpg',
       'lfw/Colin_Powell/Colin_Powell_0093.jpg',
       'lfw/Tim_Lobinger/Tim_Lobinger_0001.jpg',
       'lfw/Nikki_McKibbin/Nikki_McKibbin_0001.jpg',
       'lfw/Marcelo_Rios/Marcelo_Rios_0002.jpg',
       'lfw/Katie_Wagner/Katie_Wagner_0001.jpg',
       'lfw/Janet_Chandler/Janet_Chandler_0001.jpg',
       'lfw/Paula_Locke/Paula_Locke_0001.jpg',
       'lfw/Julie_Gerberding/Julie_Gerberding_0009.jpg',
       'lfw/Jeff_Feldman/Jeff_Feldman_0001.jpg',
       'lfw/Huan_Chung_Yi/Huan_Chung_Yi_0001.jpg',
       'lfw/Tom_Cruise/Tom_Cruise_0008.jpg',
       'lfw/Tia_Mowry/Tia_Mowry_0001.jpg',
       'lfw/Ivan_Lee/Ivan_Lee_0001.jpg',
       'lfw/Benito_Santiago/Benito_Santiago_0001.jpg',
       'lfw/Spencer_Abraham/Spencer_Abraham_0017.jpg',
       'lfw/Shimon_Peres/Shimon_Peres_0004.jpg',
       'lfw/Adrien_Brody/Adrien_Brody_0011.jpg',
       'lfw/Jennifer_Capriati/Jennifer_Capriati_0006.jpg',
       'lfw/Lindsay_Davenport/Lindsay_Davenport_0009.jpg',
       'lfw/Paul_McCartney/Paul_McCartney_0004.jpg',
       'lfw/Emmy_Rossum/Emmy_Rossum_0001.jpg',
       'lfw/David_Oh/David_Oh_0001.jpg',
       'lfw/Renee_Zellweger/Renee_Zellweger_0012.jpg',
       'lfw/Michael_Arif/Michael_Arif_0001.jpg',
       'lfw/Kelly_Santos/Kelly_Santos_0001.jpg',
       'lfw/James_Wolfensohn/James_Wolfensohn_0005.jpg',
       'lfw/Richard_Dreyfuss/Richard_Dreyfuss_0001.jpg',
       'lfw/Gavyn_Arthur/Gavyn_Arthur_0001.jpg',
       'lfw/Pervez_Musharraf/Pervez_Musharraf_0007.jpg',
       'lfw/Roger_Suarez/Roger_Suarez_0001.jpg',
       'lfw/Kenenisa_Bekele/Kenenisa_Bekele_0001.jpg',
       'lfw/Raul_Rivero/Raul_Rivero_0001.jpg',
       'lfw/Jeane_Kirkpatrick/Jeane_Kirkpatrick_0001.jpg',
       'lfw/Jim_Carrey/Jim_Carrey_0002.jpg',
       'lfw/Habib_Rizieq/Habib_Rizieq_0001.jpg'],
      dtype='<U84')
In [80]:
%%time
from keras.models import load_model
model = load_model('saved_models/bestweights_facesmodel.hdf5')
for human_files_2 in human_files_short:
    if face_detector2(human_files_2, model):
        h_in_h_count += 1
    else:
        print("no human detected at index i = ", np.where(human_files==human_files_short)[0][0])
        
for dog_files_2 in dog_files_short:
    if face_detector2(dog_files_2, model):
        h_in_d_count += 1

hcount_to_percentage = 100/len(human_files_short)
dcount_to_percentage = 100/len(dog_files_short)        
print("percentage of detected humans in human images = ", '{:>2}'.format(h_in_h_count*hcount_to_percentage), "%")
print("percentage of detected humans in dog images = ", '{:>2}'.format(h_in_d_count*dcount_to_percentage), "%")
percentage of detected humans in human images =  100.0 %
percentage of detected humans in dog images =  100.0 %
CPU times: user 5min 16s, sys: 22.3 s, total: 5min 38s
Wall time: 2min 8s

Step 2: Detect Dogs

In this section, we use a pre-trained ResNet-50 model to detect dogs in images. Our first line of code downloads the ResNet-50 model, along with weights that have been trained on ImageNet, a very large, very popular dataset used for image classification and other vision tasks. ImageNet contains over 10 million URLs, each linking to an image containing an object from one of 1000 categories. Given an image, this pre-trained ResNet-50 model returns a prediction (derived from the available categories in ImageNet) for the object that is contained in the image.

In [81]:
from keras.applications.resnet50 import ResNet50

# define ResNet50 model
ResNet50_model = ResNet50(weights='imagenet')

Pre-process the Data

When using TensorFlow as backend, Keras CNNs require a 4D array (which we'll also refer to as a 4D tensor) as input, with shape

$$ (\text{nb_samples}, \text{rows}, \text{columns}, \text{channels}), $$

where nb_samples corresponds to the total number of images (or samples), and rows, columns, and channels correspond to the number of rows, columns, and channels for each image, respectively.

The path_to_tensor function below takes a string-valued file path to a color image as input and returns a 4D tensor suitable for supplying to a Keras CNN. The function first loads the image and resizes it to a square image that is $224 \times 224$ pixels. Next, the image is converted to an array, which is then resized to a 4D tensor. In this case, since we are working with color images, each image has three channels. Likewise, since we are processing a single image (or sample), the returned tensor will always have shape

$$ (1, 224, 224, 3). $$

The paths_to_tensor function takes a numpy array of string-valued image paths as input and returns a 4D tensor with shape

$$ (\text{nb_samples}, 224, 224, 3). $$

Here, nb_samples is the number of samples, or number of images, in the supplied array of image paths. It is best to think of nb_samples as the number of 3D tensors (where each 3D tensor corresponds to a different image) in your dataset!

In [82]:
from keras.preprocessing import image                  
from tqdm import tqdm

def path_to_tensor(img_path):
    # loads RGB image as PIL.Image.Image type
    img = image.load_img(img_path, target_size=(224, 224))
    # convert PIL.Image.Image type to 3D tensor with shape (224, 224, 3)
    x = image.img_to_array(img)
    # convert 3D tensor to 4D tensor with shape (1, 224, 224, 3) and return 4D tensor
    return np.expand_dims(x, axis=0)

def paths_to_tensor(img_paths):
    list_of_tensors = [path_to_tensor(img_path) for img_path in tqdm(img_paths)]
    return np.vstack(list_of_tensors)

Making Predictions with ResNet-50

Getting the 4D tensor ready for ResNet-50, and for any other pre-trained model in Keras, requires some additional processing. First, the RGB image is converted to BGR by reordering the channels. All pre-trained models have the additional normalization step that the mean pixel (expressed in RGB as $[103.939, 116.779, 123.68]$ and calculated from all pixels in all images in ImageNet) must be subtracted from every pixel in each image. This is implemented in the imported function preprocess_input. If you're curious, you can check the code for preprocess_input here.

Now that we have a way to format our image for supplying to ResNet-50, we are now ready to use the model to extract the predictions. This is accomplished with the predict method, which returns an array whose $i$-th entry is the model's predicted probability that the image belongs to the $i$-th ImageNet category. This is implemented in the ResNet50_predict_labels function below.

By taking the argmax of the predicted probability vector, we obtain an integer corresponding to the model's predicted object class, which we can identify with an object category through the use of this dictionary.

In [83]:
from keras.applications.resnet50 import preprocess_input, decode_predictions

def ResNet50_predict_labels(img_path):
    # returns prediction vector for image located at img_path
    img = preprocess_input(path_to_tensor(img_path))
    return np.argmax(ResNet50_model.predict(img))

Write a Dog Detector

While looking at the dictionary, you will notice that the categories corresponding to dogs appear in an uninterrupted sequence and correspond to dictionary keys 151-268, inclusive, to include all categories from 'Chihuahua' to 'Mexican hairless'. Thus, in order to check to see if an image is predicted to contain a dog by the pre-trained ResNet-50 model, we need only check if the ResNet50_predict_labels function above returns a value between 151 and 268 (inclusive).

We use these ideas to complete the dog_detector function below, which returns True if a dog is detected in an image (and False if not).

In [84]:
### returns "True" if a dog is detected in the image stored at img_path
def dog_detector(img_path):
    prediction = ResNet50_predict_labels(img_path)
    return ((prediction <= 268) & (prediction >= 151)) 

(IMPLEMENTATION) Assess the Dog Detector

Question 3: Use the code cell below to test the performance of your dog_detector function.

  • What percentage of the images in human_files_short have a detected dog?
  • What percentage of the images in dog_files_short have a detected dog?

Answer: For the first 1000 images, nearly 100% of dogs are recognized in dog images and below 1% of humans are classified as dogs by the dog detector.

In [85]:
### TODO: Test the performance of the dog_detector function
### on the images in human_files_short and dog_files_short.
d_in_h_percentage = 0
d_in_d_percentage = 0

for human_files in human_files_short:
    if dog_detector(human_files):
        d_in_h_percentage += 100/len(human_files_short)
        
for dog_files in dog_files_short:
    if dog_detector(dog_files):
        d_in_d_percentage += 100/len(dog_files_short)
    else:
        print("no dog detected at index i = ", np.where(dog_files == dog_files_short)[0][0])
        
print("percentage of detected dogs in human images = ", '{:>2}'.format(d_in_h_percentage), "%")
print("percentage of detected dogs in dog images = ", '{:>2}'.format(d_in_d_percentage), "%")
no dog detected at index i =  146
no dog detected at index i =  162
no dog detected at index i =  242
no dog detected at index i =  313
no dog detected at index i =  322
no dog detected at index i =  400
no dog detected at index i =  480
no dog detected at index i =  529
no dog detected at index i =  530
no dog detected at index i =  578
no dog detected at index i =  654
no dog detected at index i =  690
no dog detected at index i =  755
no dog detected at index i =  808
no dog detected at index i =  965
no dog detected at index i =  991
percentage of detected dogs in human images =  0.8999999999999999 %
percentage of detected dogs in dog images =  98.39999999999868 %

Step 3: Create a CNN to Classify Dog Breeds (from Scratch)

Now that we have functions for detecting humans and dogs in images, we need a way to predict breed from images. In this step, you will create a CNN that classifies dog breeds. You must create your CNN from scratch (so, you can't use transfer learning yet!), and you must attain a test accuracy of at least 1%. In Step 5 of this notebook, you will have the opportunity to use transfer learning to create a CNN that attains greatly improved accuracy.

Be careful with adding too many trainable layers! More parameters means longer training, which means you are more likely to need a GPU to accelerate the training process. Thankfully, Keras provides a handy estimate of the time that each epoch is likely to take; you can extrapolate this estimate to figure out how long it will take for your algorithm to train.

We mention that the task of assigning breed to dogs from images is considered exceptionally challenging. To see why, consider that even a human would have great difficulty in distinguishing between a Brittany and a Welsh Springer Spaniel.

Brittany Welsh Springer Spaniel

It is not difficult to find other dog breed pairs with minimal inter-class variation (for instance, Curly-Coated Retrievers and American Water Spaniels).

Curly-Coated Retriever American Water Spaniel

Likewise, recall that labradors come in yellow, chocolate, and black. Your vision-based algorithm will have to conquer this high intra-class variation to determine how to classify all of these different shades as the same breed.

Yellow Labrador Chocolate Labrador Black Labrador

We also mention that random chance presents an exceptionally low bar: setting aside the fact that the classes are slightly imabalanced, a random guess will provide a correct answer roughly 1 in 133 times, which corresponds to an accuracy of less than 1%.

Remember that the practice is far ahead of the theory in deep learning. Experiment with many different architectures, and trust your intuition. And, of course, have fun!

Pre-process the Data

We rescale the images by dividing every pixel in every image by 255.

In [86]:
from PIL import ImageFile                            
ImageFile.LOAD_TRUNCATED_IMAGES = True                 

# pre-process the data for Keras
train_tensors = paths_to_tensor(train_files).astype('float32')/255
valid_tensors = paths_to_tensor(valid_files).astype('float32')/255
test_tensors = paths_to_tensor(test_files).astype('float32')/255
100%|██████████| 6680/6680 [01:31<00:00, 72.97it/s] 
100%|██████████| 835/835 [00:08<00:00, 104.36it/s]
100%|██████████| 836/836 [00:07<00:00, 108.37it/s]

(IMPLEMENTATION) Model Architecture

Create a CNN to classify dog breed. At the end of your code cell block, summarize the layers of your model by executing the line:

    model.summary()

We have imported some Python modules to get you started, but feel free to import as many modules as you need. If you end up getting stuck, here's a hint that specifies a model that trains relatively fast on CPU and attains >1% test accuracy in 5 epochs:

Sample CNN

Question 4: Outline the steps you took to get to your final CNN architecture and your reasoning at each step. If you chose to use the hinted architecture above, describe why you think that CNN architecture should work well for the image classification task.

Answer: The main ideas were: The convolutional layers should identify patterns in an image and higher layers should learn more difficult features, therefore I increased the number of filters by 2 for each higher layer. Max pooling was used after each layer to generate some invariance to data. Relu activations were used to enable the network to learn non-linear relationships and the dropout layers were introduced to avoid overfitting, as we work on a small dataset here. In order to do classification, a fully-connected layer was added at the top of the network.

In [87]:
from keras.layers import Conv2D, MaxPooling2D, GlobalAveragePooling2D
from keras.layers import Dropout, Flatten, Dense, BatchNormalization
from keras.layers import Activation
from keras.models import Sequential

def conv2d(mdl, filters = 16, kernel_size = (3,3), strides = (1, 1),\
           padding = 'same', input_shape = None):
    if(input_shape == None):
        mdl.add(Conv2D(filters = filters, kernel_size = kernel_size,\
                       strides = strides, padding = padding))
    else:
        mdl.add(Conv2D(filters = filters, kernel_size = kernel_size,\
                       strides = strides, padding = padding,\
                       input_shape = input_shape))

def maxpool2d(mdl, pool_size = (2,2), strides = (2,2)):
    mdl.add(MaxPooling2D(pool_size, strides))

def activation(mdl, activation = 'relu'):
    mdl.add(Activation(activation))

def gap2d(mdl,data_format = 'channels_last'):
    mdl.add(GlobalAveragingPooling2D(data_format))

def flatten(mdl):
    mdl.add(Flatten())

def dense(mdl, filters):
    mdl.add(Dense(filters))

def dropout(mdl, drop_prob = 0.2):
    mdl.add(Dropout(drop_prob))

def batchnormalize(mdl):
    mdl.add(BatchNormalization())

model = Sequential()

### TODO: Define your architecture.
conv2d(model, input_shape = (224,224,3))
dropout(model)
batchnormalize(model)
activation(model)
maxpool2d(model)
conv2d(model, filters = 32)
dropout(model)
batchnormalize(model)
activation(model)
maxpool2d(model)
conv2d(model, filters = 64)
dropout(model)
batchnormalize(model)
activation(model)
maxpool2d(model)
flatten(model)
dense(model, filters = 133)
batchnormalize(model)
activation(model, 'softmax')

model.summary()
_________________________________________________________________
Layer (type)                 Output Shape              Param #   
=================================================================
conv2d_1 (Conv2D)            (None, 224, 224, 16)      448       
_________________________________________________________________
dropout_1 (Dropout)          (None, 224, 224, 16)      0         
_________________________________________________________________
batch_normalization_1 (Batch (None, 224, 224, 16)      64        
_________________________________________________________________
activation_50 (Activation)   (None, 224, 224, 16)      0         
_________________________________________________________________
max_pooling2d_2 (MaxPooling2 (None, 112, 112, 16)      0         
_________________________________________________________________
conv2d_2 (Conv2D)            (None, 112, 112, 32)      4640      
_________________________________________________________________
dropout_2 (Dropout)          (None, 112, 112, 32)      0         
_________________________________________________________________
batch_normalization_2 (Batch (None, 112, 112, 32)      128       
_________________________________________________________________
activation_51 (Activation)   (None, 112, 112, 32)      0         
_________________________________________________________________
max_pooling2d_3 (MaxPooling2 (None, 56, 56, 32)        0         
_________________________________________________________________
conv2d_3 (Conv2D)            (None, 56, 56, 64)        18496     
_________________________________________________________________
dropout_3 (Dropout)          (None, 56, 56, 64)        0         
_________________________________________________________________
batch_normalization_3 (Batch (None, 56, 56, 64)        256       
_________________________________________________________________
activation_52 (Activation)   (None, 56, 56, 64)        0         
_________________________________________________________________
max_pooling2d_4 (MaxPooling2 (None, 28, 28, 64)        0         
_________________________________________________________________
flatten_2 (Flatten)          (None, 50176)             0         
_________________________________________________________________
dense_1 (Dense)              (None, 133)               6673541   
_________________________________________________________________
batch_normalization_4 (Batch (None, 133)               532       
_________________________________________________________________
activation_53 (Activation)   (None, 133)               0         
=================================================================
Total params: 6,698,105
Trainable params: 6,697,615
Non-trainable params: 490
_________________________________________________________________

Compile the Model

In [88]:
model.compile(optimizer='adam', loss='categorical_crossentropy', metrics=['accuracy'])

(IMPLEMENTATION) Train the Model

Train your model in the code cell below. Use model checkpointing to save the model that attains the best validation loss.

You are welcome to augment the training data, but this is not a requirement.

In [89]:
from keras.callbacks import ModelCheckpoint  

### TODO: specify the number of epochs that you would like to use to train the model.

epochs = 4

### Do NOT modify the code below this line.

checkpointer = ModelCheckpoint(filepath='saved_models/weights.best.from_scratch.hdf5', 
                               verbose=1, save_best_only=True)

model.fit(train_tensors, train_targets, 
          validation_data=(valid_tensors, valid_targets),
          epochs=epochs, batch_size=20, callbacks=[checkpointer], verbose=1)
Train on 6680 samples, validate on 835 samples
Epoch 1/4
6680/6680 [==============================] - 1005s 150ms/step - loss: 4.6298 - acc: 0.0382 - val_loss: 4.7697 - val_acc: 0.0192

Epoch 00001: val_loss improved from inf to 4.76973, saving model to saved_models/weights.best.from_scratch.hdf5
Epoch 2/4
6680/6680 [==============================] - 972s 146ms/step - loss: 3.8642 - acc: 0.1699 - val_loss: 4.7368 - val_acc: 0.0431

Epoch 00002: val_loss improved from 4.76973 to 4.73678, saving model to saved_models/weights.best.from_scratch.hdf5
Epoch 3/4
6680/6680 [==============================] - 967s 145ms/step - loss: 2.8999 - acc: 0.5054 - val_loss: 4.7585 - val_acc: 0.0467

Epoch 00003: val_loss did not improve
Epoch 4/4
6680/6680 [==============================] - 1032s 155ms/step - loss: 1.9645 - acc: 0.8581 - val_loss: 4.9245 - val_acc: 0.0347

Epoch 00004: val_loss did not improve
Out[89]:
<keras.callbacks.History at 0x1a515e4358>

Load the Model with the Best Validation Loss

In [90]:
model.load_weights('saved_models/weights.best.from_scratch.hdf5')

Test the Model

Try out your model on the test dataset of dog images. Ensure that your test accuracy is greater than 1%.

In [91]:
# get index of predicted dog breed for each image in test set
dog_breed_predictions = [np.argmax(model.predict(np.expand_dims(tensor, axis=0))) for tensor in test_tensors]

# report test accuracy
test_accuracy = 100*np.sum(np.array(dog_breed_predictions)==np.argmax(test_targets, axis=1))/len(dog_breed_predictions)
print('Test accuracy: %.4f%%' % test_accuracy)
Test accuracy: 2.6316%

Step 4: Use a CNN to Classify Dog Breeds

To reduce training time without sacrificing accuracy, we show you how to train a CNN using transfer learning. In the following step, you will get a chance to use transfer learning to train your own CNN.

Obtain Bottleneck Features

In [92]:
bottleneck_features = np.load('bottleneck_features/DogVGG16Data.npz')
train_VGG16 = bottleneck_features['train']
valid_VGG16 = bottleneck_features['valid']
test_VGG16 = bottleneck_features['test']

Model Architecture

The model uses the the pre-trained VGG-16 model as a fixed feature extractor, where the last convolutional output of VGG-16 is fed as input to our model. We only add a global average pooling layer and a fully connected layer, where the latter contains one node for each dog category and is equipped with a softmax.

In [93]:
VGG16_model = Sequential()
VGG16_model.add(GlobalAveragePooling2D(input_shape=train_VGG16.shape[1:]))
VGG16_model.add(Dense(133, activation='softmax'))

VGG16_model.summary()
_________________________________________________________________
Layer (type)                 Output Shape              Param #   
=================================================================
global_average_pooling2d_1 ( (None, 512)               0         
_________________________________________________________________
dense_2 (Dense)              (None, 133)               68229     
=================================================================
Total params: 68,229
Trainable params: 68,229
Non-trainable params: 0
_________________________________________________________________

Compile the Model

In [94]:
VGG16_model.compile(loss='categorical_crossentropy', optimizer='rmsprop', metrics=['accuracy'])

Train the Model

In [95]:
checkpointer = ModelCheckpoint(filepath='saved_models/weights.best.VGG16.hdf5', 
                               verbose=1, save_best_only=True)

VGG16_model.fit(train_VGG16, train_targets, 
          validation_data=(valid_VGG16, valid_targets),
          epochs=20, batch_size=20, callbacks=[checkpointer], verbose=1)
Train on 6680 samples, validate on 835 samples
Epoch 1/20
6680/6680 [==============================] - 4s 663us/step - loss: 12.2108 - acc: 0.1127 - val_loss: 10.3277 - val_acc: 0.2156

Epoch 00001: val_loss improved from inf to 10.32774, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 2/20
6680/6680 [==============================] - 2s 244us/step - loss: 9.4817 - acc: 0.2924 - val_loss: 9.3364 - val_acc: 0.3066

Epoch 00002: val_loss improved from 10.32774 to 9.33641, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 3/20
6680/6680 [==============================] - 2s 233us/step - loss: 8.8176 - acc: 0.3662 - val_loss: 9.1707 - val_acc: 0.3186

Epoch 00003: val_loss improved from 9.33641 to 9.17075, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 4/20
6680/6680 [==============================] - 2s 253us/step - loss: 8.5696 - acc: 0.4090 - val_loss: 8.8902 - val_acc: 0.3533

Epoch 00004: val_loss improved from 9.17075 to 8.89022, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 5/20
6680/6680 [==============================] - 1s 211us/step - loss: 8.2673 - acc: 0.4355 - val_loss: 8.6503 - val_acc: 0.3617

Epoch 00005: val_loss improved from 8.89022 to 8.65030, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 6/20
6680/6680 [==============================] - 1s 205us/step - loss: 8.0704 - acc: 0.4575 - val_loss: 8.6017 - val_acc: 0.3701

Epoch 00006: val_loss improved from 8.65030 to 8.60173, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 7/20
6680/6680 [==============================] - 1s 216us/step - loss: 7.9187 - acc: 0.4750 - val_loss: 8.4787 - val_acc: 0.3964

Epoch 00007: val_loss improved from 8.60173 to 8.47872, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 8/20
6680/6680 [==============================] - 1s 208us/step - loss: 7.8480 - acc: 0.4912 - val_loss: 8.5527 - val_acc: 0.3928

Epoch 00008: val_loss did not improve
Epoch 9/20
6680/6680 [==============================] - 1s 220us/step - loss: 7.8263 - acc: 0.4940 - val_loss: 8.4464 - val_acc: 0.4036

Epoch 00009: val_loss improved from 8.47872 to 8.44641, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 10/20
6680/6680 [==============================] - 2s 233us/step - loss: 7.7653 - acc: 0.5016 - val_loss: 8.4556 - val_acc: 0.3916

Epoch 00010: val_loss did not improve
Epoch 11/20
6680/6680 [==============================] - 2s 240us/step - loss: 7.6596 - acc: 0.5054 - val_loss: 8.2971 - val_acc: 0.4024

Epoch 00011: val_loss improved from 8.44641 to 8.29709, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 12/20
6680/6680 [==============================] - 1s 203us/step - loss: 7.4777 - acc: 0.5094 - val_loss: 8.1833 - val_acc: 0.4024

Epoch 00012: val_loss improved from 8.29709 to 8.18332, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 13/20
6680/6680 [==============================] - 1s 221us/step - loss: 7.2688 - acc: 0.5241 - val_loss: 8.0131 - val_acc: 0.4096

Epoch 00013: val_loss improved from 8.18332 to 8.01314, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 14/20
6680/6680 [==============================] - 1s 206us/step - loss: 7.0822 - acc: 0.5386 - val_loss: 7.9050 - val_acc: 0.4168

Epoch 00014: val_loss improved from 8.01314 to 7.90496, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 15/20
6680/6680 [==============================] - 1s 213us/step - loss: 6.8365 - acc: 0.5513 - val_loss: 7.6820 - val_acc: 0.4299

Epoch 00015: val_loss improved from 7.90496 to 7.68205, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 16/20
6680/6680 [==============================] - 1s 213us/step - loss: 6.5876 - acc: 0.5692 - val_loss: 7.3896 - val_acc: 0.4407

Epoch 00016: val_loss improved from 7.68205 to 7.38959, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 17/20
6680/6680 [==============================] - 2s 232us/step - loss: 6.4261 - acc: 0.5796 - val_loss: 7.3309 - val_acc: 0.4479

Epoch 00017: val_loss improved from 7.38959 to 7.33094, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 18/20
6680/6680 [==============================] - 2s 228us/step - loss: 6.3250 - acc: 0.5909 - val_loss: 7.2319 - val_acc: 0.4455

Epoch 00018: val_loss improved from 7.33094 to 7.23194, saving model to saved_models/weights.best.VGG16.hdf5
Epoch 19/20
6680/6680 [==============================] - 1s 214us/step - loss: 6.2751 - acc: 0.5952 - val_loss: 7.2423 - val_acc: 0.4695

Epoch 00019: val_loss did not improve
Epoch 20/20
6680/6680 [==============================] - 1s 207us/step - loss: 6.2453 - acc: 0.6006 - val_loss: 7.1818 - val_acc: 0.4671

Epoch 00020: val_loss improved from 7.23194 to 7.18176, saving model to saved_models/weights.best.VGG16.hdf5
Out[95]:
<keras.callbacks.History at 0x1a28777a58>

Load the Model with the Best Validation Loss

In [96]:
VGG16_model.load_weights('saved_models/weights.best.VGG16.hdf5')

Test the Model

Now, we can use the CNN to test how well it identifies breed within our test dataset of dog images. We print the test accuracy below.

In [97]:
# get index of predicted dog breed for each image in test set
VGG16_predictions = [np.argmax(VGG16_model.predict(np.expand_dims(feature, axis=0))) for feature in test_VGG16]

# report test accuracy
test_accuracy = 100*np.sum(np.array(VGG16_predictions)==np.argmax(test_targets, axis=1))/len(VGG16_predictions)
print('Test accuracy: %.4f%%' % test_accuracy)
Test accuracy: 48.5646%

Predict Dog Breed with the Model

In [98]:
from extract_bottleneck_features import *

def VGG16_predict_breed(img_path):
    # extract bottleneck features
    bottleneck_feature = extract_VGG16(path_to_tensor(img_path))
    # obtain predicted vector
    predicted_vector = VGG16_model.predict(bottleneck_feature)
    # return dog breed that is predicted by the model
    return dog_names[np.argmax(predicted_vector)]

Step 5: Create a CNN to Classify Dog Breeds (using Transfer Learning)

You will now use transfer learning to create a CNN that can identify dog breed from images. Your CNN must attain at least 60% accuracy on the test set.

In Step 4, we used transfer learning to create a CNN using VGG-16 bottleneck features. In this section, you must use the bottleneck features from a different pre-trained model. To make things easier for you, we have pre-computed the features for all of the networks that are currently available in Keras:

The files are encoded as such:

Dog{network}Data.npz

where {network}, in the above filename, can be one of VGG19, Resnet50, InceptionV3, or Xception. Pick one of the above architectures, download the corresponding bottleneck features, and store the downloaded file in the bottleneck_features/ folder in the repository.

(IMPLEMENTATION) Obtain Bottleneck Features

In the code block below, extract the bottleneck features corresponding to the train, test, and validation sets by running the following:

bottleneck_features = np.load('bottleneck_features/Dog{network}Data.npz')
train_{network} = bottleneck_features['train']
valid_{network} = bottleneck_features['valid']
test_{network} = bottleneck_features['test']
In [99]:
### TODO: Obtain bottleneck features from another pre-trained CNN.
bottleneck_features = np.load('bottleneck_features/DogXceptionData.npz')
train_Xception = bottleneck_features['train']
valid_Xception = bottleneck_features['valid']
test_Xception = bottleneck_features['test']

(IMPLEMENTATION) Model Architecture

Create a CNN to classify dog breed. At the end of your code cell block, summarize the layers of your model by executing the line:

    <your model's name>.summary()

Question 5: Outline the steps you took to get to your final CNN architecture and your reasoning at each step. Describe why you think the architecture is suitable for the current problem.

Answer: I did not change any of the convolutional layers, which might have improved accuracy a little. But as the Xception network was trained on a similar dataset, and we operate on a smaller dataset here, I decided to just add a global average pooling layer and a fully connected layer. As the network is very deep and has a 7x7x2048 output for the last convolutional layer and I needed a vectorized form for the dense layer to be adjusted to the problem here, I decided that global average pooling is a good option to do this. And then, as we have 133 different dog breeds to classify, I set this as the number of output nodes for the fully connected layer.

In [100]:
### TODO: Define your architecture.
Xception_model = Sequential()
Xception_model.add(GlobalAveragePooling2D\
                   (input_shape = train_Xception.shape[1:], \
                   name = 'gap_xception'))
Xception_model.add(Dense(133,activation = 'softmax', name = 'dense_xception'))
Xception_model.summary()
_________________________________________________________________
Layer (type)                 Output Shape              Param #   
=================================================================
gap_xception (GlobalAverageP (None, 2048)              0         
_________________________________________________________________
dense_xception (Dense)       (None, 133)               272517    
=================================================================
Total params: 272,517
Trainable params: 272,517
Non-trainable params: 0
_________________________________________________________________

(IMPLEMENTATION) Compile the Model

In [101]:
### TODO: Compile the model.
Xception_model.compile(loss = 'categorical_crossentropy', optimizer='rmsprop', metrics = ['accuracy'])

(IMPLEMENTATION) Train the Model

Train your model in the code cell below. Use model checkpointing to save the model that attains the best validation loss.

You are welcome to augment the training data, but this is not a requirement.

In [103]:
### TODO: Train the model.
from keras.callbacks import ModelCheckpoint, EarlyStopping
epochs = 50
checkpoint = ModelCheckpoint(filepath = 'saved_models/Xception.best_weights.hdf5',\
                             verbose = 1,\
                             save_best_only = True)
early_stop = EarlyStopping(patience = 3)
In [104]:
%%time
Xception_model.fit(train_Xception, train_targets, batch_size = 32,\
                   epochs=epochs, verbose = 2,\
                   callbacks = [checkpoint, early_stop],\
                   validation_data = (valid_Xception, valid_targets))
Train on 6680 samples, validate on 835 samples
Epoch 1/50
 - 12s - loss: 1.1593 - acc: 0.7295 - val_loss: 0.5305 - val_acc: 0.8168

Epoch 00001: val_loss improved from inf to 0.53051, saving model to saved_models/Xception.best_weights.hdf5
Epoch 2/50
 - 8s - loss: 0.3926 - acc: 0.8759 - val_loss: 0.4721 - val_acc: 0.8443

Epoch 00002: val_loss improved from 0.53051 to 0.47206, saving model to saved_models/Xception.best_weights.hdf5
Epoch 3/50
 - 8s - loss: 0.3039 - acc: 0.9019 - val_loss: 0.4738 - val_acc: 0.8455

Epoch 00003: val_loss did not improve
Epoch 4/50
 - 8s - loss: 0.2513 - acc: 0.9204 - val_loss: 0.4606 - val_acc: 0.8563

Epoch 00004: val_loss improved from 0.47206 to 0.46058, saving model to saved_models/Xception.best_weights.hdf5
Epoch 5/50
 - 6s - loss: 0.2163 - acc: 0.9286 - val_loss: 0.4583 - val_acc: 0.8563

Epoch 00005: val_loss improved from 0.46058 to 0.45834, saving model to saved_models/Xception.best_weights.hdf5
Epoch 6/50
 - 4s - loss: 0.1856 - acc: 0.9421 - val_loss: 0.4503 - val_acc: 0.8611

Epoch 00006: val_loss improved from 0.45834 to 0.45030, saving model to saved_models/Xception.best_weights.hdf5
Epoch 7/50
 - 4s - loss: 0.1636 - acc: 0.9457 - val_loss: 0.4890 - val_acc: 0.8539

Epoch 00007: val_loss did not improve
Epoch 8/50
 - 3s - loss: 0.1425 - acc: 0.9569 - val_loss: 0.4717 - val_acc: 0.8599

Epoch 00008: val_loss did not improve
Epoch 9/50
 - 3s - loss: 0.1261 - acc: 0.9606 - val_loss: 0.5141 - val_acc: 0.8563

Epoch 00009: val_loss did not improve
CPU times: user 40.8 s, sys: 26.2 s, total: 1min 7s
Wall time: 56.5 s
Out[104]:
<keras.callbacks.History at 0x1a5d2eca20>

(IMPLEMENTATION) Load the Model with the Best Validation Loss

In [105]:
### TODO: Load the model weights with the best validation loss.
Xception_model.load_weights('saved_models/Xception.best_weights.hdf5')

(IMPLEMENTATION) Test the Model

Try out your model on the test dataset of dog images. Ensure that your test accuracy is greater than 60%.

In [106]:
### TODO: Calculate classification accuracy on the test dataset.
score = Xception_model.evaluate(test_Xception, test_targets, verbose=0) 
print('\n', 'Test accuracy:', score[1])
 Test accuracy: 0.8504784689

(IMPLEMENTATION) Predict Dog Breed with the Model

Write a function that takes an image path as input and returns the dog breed (Affenpinscher, Afghan_hound, etc) that is predicted by your model.

Similar to the analogous function in Step 5, your function should have three steps:

  1. Extract the bottleneck features corresponding to the chosen CNN model.
  2. Supply the bottleneck features as input to the model to return the predicted vector. Note that the argmax of this prediction vector gives the index of the predicted dog breed.
  3. Use the dog_names array defined in Step 0 of this notebook to return the corresponding breed.

The functions to extract the bottleneck features can be found in extract_bottleneck_features.py, and they have been imported in an earlier code cell. To obtain the bottleneck features corresponding to your chosen CNN architecture, you need to use the function

extract_{network}

where {network}, in the above filename, should be one of VGG19, Resnet50, InceptionV3, or Xception.

In [107]:
### TODO: Write a function that takes a path to an image as input
### and returns the dog breed that is predicted by the model.
def Xception_predictbreed(img_path):
    Xception_bottlenecks = extract_Xception(path_to_tensor(img_path))
    Xception_prediction  = Xception_model.predict(Xception_bottlenecks)
    return dog_names[np.argmax(Xception_prediction)]

Step 6: Write your Algorithm

Write an algorithm that accepts a file path to an image and first determines whether the image contains a human, dog, or neither. Then,

  • if a dog is detected in the image, return the predicted breed.
  • if a human is detected in the image, return the resembling dog breed.
  • if neither is detected in the image, provide output that indicates an error.

You are welcome to write your own functions for detecting humans and dogs in images, but feel free to use the face_detector and dog_detector functions developed above. You are required to use your CNN from Step 5 to predict dog breed.

Some sample output for our algorithm is provided below, but feel free to design your own user experience!

Sample Human Output

(IMPLEMENTATION) Write your Algorithm

In [108]:
### TODO: Write your algorithm.
### Feel free to use as many code cells as needed.
from IPython.display import Image, display
def Xception_detector(img_path):
    # display the image
    display(Image(img_path))
    # detect human and be pretty sure about it:)
    if(face_detector(img_path) == True and \
       dog_detector(img_path) == False):
        print("You are human, and the dog breed you resemble most is ...")
    # detect dog and be pretty sure about it:)
    elif(face_detector(img_path) == False and \
       dog_detector(img_path) == True):
        print("You are a dog with breed ...")
    else:
        print("Well, the dog breed you resemble most is ...")
    print(Xception_predictbreed(img_path))       

Step 7: Test Your Algorithm

In this section, you will take your new algorithm for a spin! What kind of dog does the algorithm think that you look like? If you have a dog, does it predict your dog's breed accurately? If you have a cat, does it mistakenly think that your cat is a dog?

(IMPLEMENTATION) Test Your Algorithm on Sample Images!

Test your algorithm at least six images on your computer. Feel free to use any images you like. Use at least two human and two dog images.

Question 6: Is the output better than you expected :) ? Or worse :( ? Provide at least three possible points of improvement for your algorithm.

Answer: I think the output is pretty amazing. Still, there are some improvements possible: 1) Fine-tuning of parameters of last convolutional layer (maybe using gridsearch or a genetic algorithm). 2) The detector is not optimal and mixed breeds are not taken into account (the 3rd dog here is differently classified in different runs). 3) Data Augmentation could be used: rotations and zoom of images. Although I am not sure how successful it is to apply opencv's functions on the bottlenecks, but I might try it out later.

In [109]:
## TODO: Execute your algorithm from Step 6 on
## at least 6 images on your computer.
## Feel free to use as many code cells as needed.
Xception_detector('./testImages/01/animal-blur-canine-551628.jpg')
You are a dog with breed ...
Border_collie
In [110]:
Xception_detector('./testImages/02/animal-dog-pet-brown.jpg')
You are a dog with breed ...
Labrador_retriever
In [111]:
Xception_detector('./testImages/03/pexels-photo-14644.jpeg')
You are a dog with breed ...
Boston_terrier
In [112]:
Xception_detector('./testImages/04/pexels-photo-356378.jpeg')
You are a dog with breed ...
American_eskimo_dog
In [113]:
Xception_detector('./testImages/05/clown.jpg')
Well, the dog breed you resemble most is ...
Silky_terrier
In [114]:
Xception_detector('./testImages/06/neanderthal.png')
You are human, and the dog breed you resemble most is ...
Bloodhound
In [115]:
Xception_detector('./testImages/07/skeleton2.jpg')
Well, the dog breed you resemble most is ...
Chinese_crested
In [116]:
Xception_detector('./testImages/07/skeleton3.png')
You are human, and the dog breed you resemble most is ...
Cocker_spaniel